diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/functions/ParamValuesFunction.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/functions/ParamValuesFunction.java new file mode 100644 index 0000000..bf286a1 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/functions/ParamValuesFunction.java @@ -0,0 +1,12 @@ +package eu.dnetlib.data.collector.functions; + +import java.util.List; +import java.util.Map; + +import eu.dnetlib.data.collector.rmi.ProtocolParameterValue; + +public interface ParamValuesFunction { + + List findValues(String baseUrl, Map params); + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/AbstractCollectorPlugin.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/AbstractCollectorPlugin.java new file mode 100644 index 0000000..7efdea1 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/AbstractCollectorPlugin.java @@ -0,0 +1,43 @@ +package eu.dnetlib.data.collector.plugin; + +import java.util.List; + +import org.springframework.beans.factory.annotation.Required; + +import com.google.common.base.Function; +import com.google.common.collect.Lists; + +import eu.dnetlib.data.collector.plugin.CollectorPlugin; +import eu.dnetlib.data.collector.rmi.ProtocolDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolParameter; + +public abstract class AbstractCollectorPlugin implements CollectorPlugin { + + private ProtocolDescriptor protocolDescriptor; + + @Override + public final String getProtocol() { + return getProtocolDescriptor().getName(); + } + + @Override + public final List listNameParameters() { + return Lists.newArrayList(Lists.transform(getProtocolDescriptor().getParams(), new Function() { + + @Override + public String apply(final ProtocolParameter p) { + return p.getName(); + } + })); + } + + @Override + public final ProtocolDescriptor getProtocolDescriptor() { + return protocolDescriptor; + } + + @Required + public void setProtocolDescriptor(final ProtocolDescriptor protocolDescriptor) { + this.protocolDescriptor = protocolDescriptor; + } +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/CollectorPlugin.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/CollectorPlugin.java new file mode 100644 index 0000000..623f157 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/CollectorPlugin.java @@ -0,0 +1,18 @@ +package eu.dnetlib.data.collector.plugin; + +import java.util.List; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolDescriptor; + +public interface CollectorPlugin { + + Iterable collect(InterfaceDescriptor interfaceDescriptor, String fromDate, String untilDate) throws CollectorServiceException; + + ProtocolDescriptor getProtocolDescriptor(); + + String getProtocol(); + + List listNameParameters(); +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/CollectorPluginErrorLogList.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/CollectorPluginErrorLogList.java new file mode 100644 index 0000000..79cda2a --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/plugin/CollectorPluginErrorLogList.java @@ -0,0 +1,19 @@ +package eu.dnetlib.data.collector.plugin; + +import java.util.LinkedList; + +public class CollectorPluginErrorLogList extends LinkedList { + + private static final long serialVersionUID = -6925786561303289704L; + + @Override + public String toString() { + String log = new String(); + int index = 0; + for (String errorMessage : this) { + log += String.format("Retry #%s: %s / ", index++, errorMessage); + } + return log; + } + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorService.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorService.java new file mode 100644 index 0000000..12a6641 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorService.java @@ -0,0 +1,30 @@ +package eu.dnetlib.data.collector.rmi; + +import java.util.List; +import java.util.Map; + +import javax.jws.WebParam; +import javax.jws.WebService; +import javax.xml.ws.wsaddressing.W3CEndpointReference; + +import eu.dnetlib.common.rmi.BaseService; + +@WebService(targetNamespace = "http://services.dnetlib.eu/") +public interface CollectorService extends BaseService { + + W3CEndpointReference collect(@WebParam(name = "interface") final InterfaceDescriptor interfaceDescriptor) throws CollectorServiceException; + + W3CEndpointReference dateRangeCollect( + @WebParam(name = "interface") final InterfaceDescriptor interfaceDescriptor, + @WebParam(name = "from") final String from, + @WebParam(name = "until") final String until) throws CollectorServiceException; + + List listProtocols(); + + List listValidValuesForParam( + @WebParam(name = "protocol") String protocol, + @WebParam(name = "baseUrl") String baseUrl, + @WebParam(name = "param") String param, + @WebParam(name = "otherParams") Map otherParams) throws CollectorServiceException; + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorServiceException.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorServiceException.java new file mode 100644 index 0000000..9a50924 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorServiceException.java @@ -0,0 +1,25 @@ +package eu.dnetlib.data.collector.rmi; + +import eu.dnetlib.common.rmi.RMIException; + +public class CollectorServiceException extends RMIException { + + /** + * + */ + private static final long serialVersionUID = 7523999812098059764L; + + public CollectorServiceException(String string) { + super(string); + } + + + public CollectorServiceException(String string, Throwable exception) { + super(string, exception); + } + + public CollectorServiceException(Throwable exception) { + super(exception); + } + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorServiceRuntimeException.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorServiceRuntimeException.java new file mode 100644 index 0000000..fddaf3b --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/CollectorServiceRuntimeException.java @@ -0,0 +1,22 @@ +package eu.dnetlib.data.collector.rmi; + +public class CollectorServiceRuntimeException extends RuntimeException { + + /** + * + */ + private static final long serialVersionUID = 6317717870955037359L; + + public CollectorServiceRuntimeException(final String string) { + super(string); + } + + public CollectorServiceRuntimeException(final String string, final Throwable exception) { + super(string, exception); + } + + public CollectorServiceRuntimeException(final Throwable exception) { + super(exception); + } + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/InterfaceDescriptor.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/InterfaceDescriptor.java new file mode 100644 index 0000000..e37a65d --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/InterfaceDescriptor.java @@ -0,0 +1,70 @@ +package eu.dnetlib.data.collector.rmi; + +import java.util.HashMap; + +import javax.xml.bind.annotation.XmlRootElement; + +import org.dom4j.Node; +import org.springframework.beans.factory.annotation.Required; + +import com.google.common.collect.Maps; + +@XmlRootElement +public class InterfaceDescriptor { + + private String id; + + private String baseUrl; + + private String protocol; + + private HashMap params = Maps.newHashMap(); + + public String getBaseUrl() { + return baseUrl; + } + + public void setBaseUrl(final String baseUrl) { + this.baseUrl = baseUrl; + } + + public String getId() { + return id; + } + + @Required + public void setId(final String id) { + this.id = id; + } + + public HashMap getParams() { + return params; + } + + public void setParams(final HashMap params) { + this.params = params; + } + + public String getProtocol() { + return protocol; + } + + public void setProtocol(final String protocol) { + this.protocol = protocol; + } + + public static InterfaceDescriptor newInstance(final Node node) { + final InterfaceDescriptor ifc = new InterfaceDescriptor(); + ifc.setId(node.valueOf("./@id")); + ifc.setBaseUrl(node.valueOf("./BASE_URL")); + ifc.setProtocol(node.valueOf("./ACCESS_PROTOCOL")); + + for (Object o : node.selectNodes("./ACCESS_PROTOCOL/@*")) { + final Node n = (Node) o; + ifc.getParams().put(n.getName(), n.getText()); + } + + return ifc; + } + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolDescriptor.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolDescriptor.java new file mode 100644 index 0000000..d97ffc0 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolDescriptor.java @@ -0,0 +1,39 @@ +package eu.dnetlib.data.collector.rmi; + +import java.util.ArrayList; +import java.util.List; + +import javax.xml.bind.annotation.XmlRootElement; + +import org.springframework.beans.factory.annotation.Required; + +@XmlRootElement +public class ProtocolDescriptor { + + private String name; + private List params = new ArrayList(); + + public ProtocolDescriptor() {} + + public ProtocolDescriptor(final String name, final List params) { + this.name = name; + this.params = params; + } + + public String getName() { + return name; + } + + @Required + public void setName(final String name) { + this.name = name; + } + + public List getParams() { + return params; + } + + public void setParams(final List params) { + this.params = params; + } +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameter.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameter.java new file mode 100644 index 0000000..2f99e66 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameter.java @@ -0,0 +1,87 @@ +package eu.dnetlib.data.collector.rmi; + +import javax.xml.bind.annotation.XmlRootElement; +import javax.xml.bind.annotation.XmlTransient; + +import org.springframework.beans.factory.annotation.Required; + +import eu.dnetlib.data.collector.functions.ParamValuesFunction; + +@XmlRootElement +public class ProtocolParameter { + + private String name; + private boolean optional = false; + private ProtocolParameterType type = ProtocolParameterType.TEXT; + private String regex = null; + private transient ParamValuesFunction populateFunction = null; + private boolean functionPopulated = false; + + public ProtocolParameter() {} + + public ProtocolParameter(final String name, final boolean optional, final ProtocolParameterType type, final String regex) { + this(name, optional, type, regex, null); + } + + public ProtocolParameter(final String name, final boolean optional, final ProtocolParameterType type, final String regex, + final ParamValuesFunction populateFunction) { + this.name = name; + this.optional = optional; + this.type = type; + this.regex = regex; + this.populateFunction = populateFunction; + this.functionPopulated = this.populateFunction != null; + } + + public String getName() { + return name; + } + + @Required + public void setName(final String name) { + this.name = name; + } + + public boolean isOptional() { + return optional; + } + + public void setOptional(final boolean optional) { + this.optional = optional; + } + + public ProtocolParameterType getType() { + return type; + } + + public void setType(final ProtocolParameterType type) { + this.type = type; + } + + public String getRegex() { + return regex; + } + + public void setRegex(final String regex) { + this.regex = regex; + } + + @XmlTransient + public ParamValuesFunction getPopulateFunction() { + return populateFunction; + } + + public void setPopulateFunction(final ParamValuesFunction populateFunction) { + this.populateFunction = populateFunction; + this.functionPopulated = this.populateFunction != null; + } + + public boolean isFunctionPopulated() { + return functionPopulated; + } + + public void setFunctionPopulated(final boolean functionPopulated) { + this.functionPopulated = functionPopulated; + } + +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameterType.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameterType.java new file mode 100644 index 0000000..7f1cc59 --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameterType.java @@ -0,0 +1,8 @@ +package eu.dnetlib.data.collector.rmi; + +import javax.xml.bind.annotation.XmlEnum; + +@XmlEnum +public enum ProtocolParameterType { + TEXT, NUMBER, LIST, BOOLEAN +} diff --git a/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameterValue.java b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameterValue.java new file mode 100644 index 0000000..b9ce0fe --- /dev/null +++ b/dnet-core-components/src/main/java/eu/dnetlib/data/collector/rmi/ProtocolParameterValue.java @@ -0,0 +1,34 @@ +package eu.dnetlib.data.collector.rmi; + +import javax.xml.bind.annotation.XmlRootElement; + +@XmlRootElement +public class ProtocolParameterValue { + + private String id; + private String name; + + public ProtocolParameterValue() {} + + public ProtocolParameterValue(final String id, final String name) { + this.id = id; + this.name = name; + } + + public String getId() { + return id; + } + + public void setId(final String id) { + this.id = id; + } + + public String getName() { + return name; + } + + public void setName(final String name) { + this.name = name; + } + +} diff --git a/dnet-data-services/pom.xml b/dnet-data-services/pom.xml index 103b7f7..04d8a71 100644 --- a/dnet-data-services/pom.xml +++ b/dnet-data-services/pom.xml @@ -23,11 +23,42 @@ ${project.version} - + + org.json + json + com.ximpleware vtd-xml + + com.jcraft + jsch + + + org.apache.commons + commons-compress + + + commons-net + commons-net + + + org.apache.commons + commons-csv + + + org.apache.poi + poi + + + org.apache.poi + poi-ooxml + + + org.jsoup + jsoup + diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/CollectorPluginEnumerator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/CollectorPluginEnumerator.java new file mode 100644 index 0000000..f24d2ef --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/CollectorPluginEnumerator.java @@ -0,0 +1,55 @@ +package eu.dnetlib.data.collector; + +import java.util.Collection; + +import org.springframework.beans.BeansException; +import org.springframework.beans.factory.BeanFactory; +import org.springframework.beans.factory.BeanFactoryAware; +import org.springframework.beans.factory.ListableBeanFactory; + +import eu.dnetlib.data.collector.plugin.CollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +public class CollectorPluginEnumerator implements BeanFactoryAware { + + // private static final Log log = LogFactory.getLog(CollectorPluginEnumerator.class); // NOPMD by marko on 11/24/08 5:02 PM + + /** + * bean factory. + */ + private ListableBeanFactory beanFactory; + + /** + * Get all beans implementing the CollectorPlugin interface. + * + * @return the set of eu.dnetlib.data.collector.plugin.CollectorPlugin(s) + */ + public Collection getAll() { + return beanFactory.getBeansOfType(CollectorPlugin.class).values(); + } + + @Override + public void setBeanFactory(final BeanFactory beanFactory) throws BeansException { + this.beanFactory = (ListableBeanFactory) beanFactory; + } + + public ListableBeanFactory getBeanFactory() { + return beanFactory; + } + + /** + * Get given CollectorPlugin or throws exception. + * + * @param protocol the given protocol + * @return a CollectorPlugin compatible with the given protocol + * @throws CollectorServiceException when no suitable plugin is found + */ + public CollectorPlugin get(final String protocol) throws CollectorServiceException { + for (CollectorPlugin cp : getAll()) { + if (protocol.equalsIgnoreCase(cp.getProtocol())) { + return cp; + } + } + throw new CollectorServiceException("plugin not found for protocol: " + protocol); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/CollectorServiceImpl.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/CollectorServiceImpl.java new file mode 100644 index 0000000..ad40c3f --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/CollectorServiceImpl.java @@ -0,0 +1,77 @@ +package eu.dnetlib.data.collector; + +import java.util.List; +import java.util.Map; +import java.util.Set; + +import javax.annotation.Resource; +import javax.xml.ws.wsaddressing.W3CEndpointReference; + +import com.google.common.collect.Lists; +import com.google.common.collect.Sets; + +import eu.dnetlib.data.collector.plugin.CollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorService; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolParameter; +import eu.dnetlib.data.collector.rmi.ProtocolParameterValue; +import eu.dnetlib.enabling.resultset.IterableResultSetFactory; +import eu.dnetlib.enabling.tools.AbstractBaseService; + +public class CollectorServiceImpl extends AbstractBaseService implements CollectorService { + + @Resource + private CollectorPluginEnumerator collectorPluginEnumerator; + + @Resource + private IterableResultSetFactory iterableResultSetFactory; + + @Override + public W3CEndpointReference collect(final InterfaceDescriptor ifDescriptor) throws CollectorServiceException { + return dateRangeCollect(ifDescriptor, null, null); + } + + @Override + public W3CEndpointReference dateRangeCollect( + final InterfaceDescriptor ifDescriptor, final String from, final String until) + throws CollectorServiceException { + final CollectorPlugin plugin = collectorPluginEnumerator.get(ifDescriptor.getProtocol()); + + if (!verifyParams(ifDescriptor.getParams().keySet(), Sets.newHashSet(plugin.listNameParameters()))) { throw new CollectorServiceException( + "Invalid parameters, valid: " + plugin.listNameParameters() + ", current: " + ifDescriptor.getParams().keySet()); } + + final Iterable iter = plugin.collect(ifDescriptor, from, until); + + return iterableResultSetFactory.createIterableResultSet(iter); + } + + @Override + public List listProtocols() { + final List list = Lists.newArrayList(); + for (CollectorPlugin plugin : collectorPluginEnumerator.getAll()) { + list.add(plugin.getProtocolDescriptor()); + } + return list; + } + + @Override + public List listValidValuesForParam(final String protocol, + final String baseUrl, + final String param, + final Map otherParams) throws CollectorServiceException { + final CollectorPlugin plugin = collectorPluginEnumerator.get(protocol); + + for (ProtocolParameter pp : plugin.getProtocolDescriptor().getParams()) { + if (pp.getName().equals(param) && pp.isFunctionPopulated()) { return pp.getPopulateFunction().findValues(baseUrl, otherParams); } + } + + return Lists.newArrayList(); + } + + private boolean verifyParams(final Set curr, final Set valid) { + return valid.containsAll(curr); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/functions/ListOaiSetsFunction.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/functions/ListOaiSetsFunction.java new file mode 100644 index 0000000..717898f --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/functions/ListOaiSetsFunction.java @@ -0,0 +1,56 @@ +package eu.dnetlib.data.collector.functions; + +import java.io.StringReader; +import java.util.Iterator; +import java.util.List; +import java.util.Map; + +import org.apache.commons.lang3.StringUtils; +import org.dom4j.Document; +import org.dom4j.DocumentException; +import org.dom4j.io.SAXReader; +import org.springframework.beans.factory.annotation.Required; + +import com.google.common.base.Function; +import com.google.common.collect.Iterators; +import com.google.common.collect.Lists; + +import eu.dnetlib.data.collector.plugins.oaisets.OaiSetsIteratorFactory; +import eu.dnetlib.data.collector.rmi.ProtocolParameterValue; + +public class ListOaiSetsFunction implements ParamValuesFunction { + + private OaiSetsIteratorFactory oaiSetsIteratorFactory; + + @Override + public List findValues(final String baseUrl, final Map params) { + final SAXReader reader = new SAXReader(); + + final Iterator iter = Iterators.transform(oaiSetsIteratorFactory.newIterator(baseUrl), + new Function() { + + @Override + public ProtocolParameterValue apply(final String s) { + try { + final Document doc = reader.read(new StringReader(s)); + final String id = doc.valueOf("//*[local-name()='setSpec']"); + final String name = doc.valueOf("//*[local-name()='setName']"); + return new ProtocolParameterValue(id, + (StringUtils.isBlank(name) || name.equalsIgnoreCase(id)) ? id : id + " - name: \"" + name + "\""); + } catch (final DocumentException e) { + throw new RuntimeException("Error in ListSets", e); + } + } + }); + return Lists.newArrayList(iter); + } + + public OaiSetsIteratorFactory getOaiSetsIteratorFactory() { + return oaiSetsIteratorFactory; + } + + @Required + public void setOaiSetsIteratorFactory(final OaiSetsIteratorFactory oaiSetsIteratorFactory) { + this.oaiSetsIteratorFactory = oaiSetsIteratorFactory; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/AbstractSplittedRecordPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/AbstractSplittedRecordPlugin.java new file mode 100644 index 0000000..03f0cb9 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/AbstractSplittedRecordPlugin.java @@ -0,0 +1,38 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.BufferedInputStream; +import java.util.Iterator; + +import org.apache.commons.lang3.StringUtils; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import eu.dnetlib.miscutils.iterators.xml.XMLIterator; + +public abstract class AbstractSplittedRecordPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + final String baseUrl = interfaceDescriptor.getBaseUrl(); + final String element = interfaceDescriptor.getParams().get("splitOnElement"); + + if (StringUtils.isBlank(baseUrl)) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + + if (StringUtils.isBlank(element)) { throw new CollectorServiceException("Param 'splitOnElement' is null or empty"); } + + final BufferedInputStream bis = getBufferedInputStream(baseUrl); + + return new Iterable() { + + @Override + public Iterator iterator() { + return new XMLIterator(element, bis); + } + }; + } + + abstract protected BufferedInputStream getBufferedInputStream(final String baseUrl) throws CollectorServiceException; + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ClasspathCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ClasspathCollectorPlugin.java new file mode 100644 index 0000000..59273fc --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ClasspathCollectorPlugin.java @@ -0,0 +1,19 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.BufferedInputStream; +import java.net.URL; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +public class ClasspathCollectorPlugin extends AbstractSplittedRecordPlugin { + + @Override + protected BufferedInputStream getBufferedInputStream(final String baseUrl) throws CollectorServiceException { + try { + return new BufferedInputStream(getClass().getResourceAsStream(new URL(baseUrl).getPath())); + } catch (Exception e) { + throw new CollectorServiceException("Error dowloading url: " + baseUrl); + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileCSVCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileCSVCollectorPlugin.java new file mode 100644 index 0000000..cd765c1 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileCSVCollectorPlugin.java @@ -0,0 +1,149 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.BufferedReader; +import java.io.FileInputStream; +import java.io.IOException; +import java.io.InputStreamReader; +import java.net.MalformedURLException; +import java.net.URL; +import java.util.Iterator; + +import org.apache.commons.io.input.BOMInputStream; +import org.apache.commons.lang3.StringEscapeUtils; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.dom4j.Document; +import org.dom4j.DocumentHelper; +import org.dom4j.Element; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Please use eu.dnetlib.data.collector.plugins.HttpCSVCollectorPlugin instead + */ +@Deprecated +public class FileCSVCollectorPlugin extends AbstractCollectorPlugin { + + private static final Log log = LogFactory.getLog(FileCSVCollectorPlugin.class); + + class FileCSVIterator implements Iterator { + + private String next; + + private BufferedReader reader; + + private String separator; + private String quote; + + public FileCSVIterator(final BufferedReader reader, final String separator, final String quote) { + this.reader = reader; + this.separator = separator; + this.quote = quote; + next = calculateNext(); + } + + @Override + public boolean hasNext() { + return next != null; + } + + @Override + public String next() { + final String s = next; + next = calculateNext(); + return s; + } + + private String calculateNext() { + try { + final Document document = DocumentHelper.createDocument(); + final Element root = document.addElement("csvRecord"); + + String newLine = reader.readLine(); + + // FOR SOME FILES IT RETURN NULL ALSO IF THE FILE IS NOT READY DONE + if (newLine == null) { + newLine = reader.readLine(); + } + if (newLine == null) { + log.info("there is no line, closing RESULT SET"); + + reader.close(); + return null; + } + final String[] currentRow = newLine.split(separator); + + if (currentRow != null) { + + for (int i = 0; i < currentRow.length; i++) { + final String hAttribute = (headers != null) && (i < headers.length) ? headers[i] : "column" + i; + + final Element row = root.addElement("column"); + if (i == identifierNumber) { + row.addAttribute("isID", "true"); + } + final String value = StringUtils.isBlank(quote) ? currentRow[i] : StringUtils.strip(currentRow[i], quote); + + row.addAttribute("name", hAttribute).addText(value); + } + return document.asXML(); + } + } catch (final IOException e) { + log.error("Error calculating next csv element", e); + } + return null; + } + + @Override + public void remove() { + throw new UnsupportedOperationException(); + } + + } + + private String[] headers = null; + private int identifierNumber; + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + final String header = interfaceDescriptor.getParams().get("header"); + final String separator = StringEscapeUtils.unescapeJava(interfaceDescriptor.getParams().get("separator")); + final String quote = interfaceDescriptor.getParams().get("quote"); + + identifierNumber = Integer.parseInt(interfaceDescriptor.getParams().get("identifier")); + URL u = null; + try { + u = new URL(interfaceDescriptor.getBaseUrl()); + } catch (final MalformedURLException e1) { + throw new CollectorServiceException(e1); + } + final String baseUrl = u.getPath(); + + log.info("base URL = " + baseUrl); + + try { + + final BufferedReader br = new BufferedReader(new InputStreamReader(new BOMInputStream(new FileInputStream(baseUrl)))); + + if ((header != null) && "true".equals(header.toLowerCase())) { + final String[] tmpHeader = br.readLine().split(separator); + if (StringUtils.isNotBlank(quote)) { + int i = 0; + headers = new String[tmpHeader.length]; + for (final String h : tmpHeader) { + headers[i] = StringUtils.strip(h, quote); + i++; + } + } else headers = tmpHeader; + } + return () -> new FileCSVIterator(br, separator, quote); + } catch (final Exception e) { + throw new CollectorServiceException(e); + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileCollectorPlugin.java new file mode 100644 index 0000000..0140624 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileCollectorPlugin.java @@ -0,0 +1,20 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.BufferedInputStream; +import java.io.FileInputStream; +import java.net.URL; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +public class FileCollectorPlugin extends AbstractSplittedRecordPlugin { + + @Override + protected BufferedInputStream getBufferedInputStream(final String baseUrl) throws CollectorServiceException { + try { + return new BufferedInputStream(new FileInputStream(new URL(baseUrl).getPath())); + } catch (Exception e) { + throw new CollectorServiceException("Error reading file " + baseUrl, e); + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPlugin.java new file mode 100644 index 0000000..0603bd9 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPlugin.java @@ -0,0 +1,23 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.BufferedInputStream; +import java.io.FileInputStream; +import java.net.URL; +import java.util.zip.GZIPInputStream; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +public class FileGZipCollectorPlugin extends AbstractSplittedRecordPlugin { + + @Override + protected BufferedInputStream getBufferedInputStream(final String baseUrl) throws CollectorServiceException { + + try { + GZIPInputStream stream = new GZIPInputStream(new FileInputStream(new URL(baseUrl).getPath())); + return new BufferedInputStream(stream); + } catch (Exception e) { + throw new CollectorServiceException(e); + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpCSVCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpCSVCollectorPlugin.java new file mode 100644 index 0000000..830c5ad --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpCSVCollectorPlugin.java @@ -0,0 +1,170 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.*; +import java.net.URL; +import java.util.Iterator; +import java.util.Set; + +import com.google.common.collect.Iterators; +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.csv.CSVFormat; +import org.apache.commons.csv.CSVParser; +import org.apache.commons.io.input.BOMInputStream; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.dom4j.Document; +import org.dom4j.DocumentHelper; +import org.dom4j.Element; + +/** + * The Class HttpCSVCollectorPlugin. + */ +public class HttpCSVCollectorPlugin extends AbstractCollectorPlugin { + + private static final Log log = LogFactory.getLog(HttpCSVCollectorPlugin.class); + + public static final String UTF8_BOM = "\uFEFF"; + + /** + * The Class HTTPCSVIterator. + */ + class HTTPCSVIterator implements Iterable { + + /** The descriptor. */ + private InterfaceDescriptor descriptor; + + /** + * Instantiates a new HTTPCSV iterator. + * + * @param descriptor + * the descriptor + */ + public HTTPCSVIterator(final InterfaceDescriptor descriptor) { + this.descriptor = descriptor; + } + + /** + * Iterator. + * + * @return the iterator + */ + @SuppressWarnings("resource") + @Override + public Iterator iterator() { + + try { + final String separator = descriptor.getParams().get("separator"); + final String identifier = descriptor.getParams().get("identifier"); + final String quote = descriptor.getParams().get("quote"); + final URL url = new URL(descriptor.getBaseUrl()); + long nLines = 0; + + // FIX + // This code should skip the lines with invalid quotes + final File tempFile = File.createTempFile("csv-", ".tmp"); + try (InputStream is = url.openConnection().getInputStream(); + BOMInputStream bomIs = new BOMInputStream(is); + BufferedReader reader = new BufferedReader(new InputStreamReader(bomIs)); + FileWriter fw = new FileWriter(tempFile)) { + + String line; + while ((line = reader.readLine()) != null) { + if (StringUtils.isBlank(quote) || (quote.charAt(0) != '"') || verifyQuotes(line, separator.charAt(0))) { + fw.write(line); + fw.write("\n"); + nLines++; + } + } + } + // END FIX + + final CSVFormat format = CSVFormat.EXCEL + .withHeader() + .withDelimiter(separator.equals("\\t") || StringUtils.isBlank(separator) ? '\t' : separator.charAt(0)) + .withQuote(StringUtils.isBlank(quote) ? null : quote.charAt(0)) + .withTrim(); + + final CSVParser parser = new CSVParser(new FileReader(tempFile), format); + final Set headers = parser.getHeaderMap().keySet(); + + final long nRecords = nLines - 1; + + return Iterators.transform(parser.iterator(), input -> { + try { + final Document document = DocumentHelper.createDocument(); + final Element root = document.addElement("csvRecord"); + for (final String key : headers) { + final Element row = root.addElement("column"); + row.addAttribute("name", key).addText(XmlCleaner.cleanAllEntities(input.get(key))); + if (key.equals(identifier)) { + row.addAttribute("isID", "true"); + } + } + + return document.asXML(); + } finally { + log.debug(tempFile.getAbsolutePath()); + if (parser.getRecordNumber() == nRecords) { + log.debug("DELETING " + tempFile.getAbsolutePath()); + tempFile.delete(); + } + } + }); + } catch (final Exception e) { + log.error("Error iterating csv lines", e); + return null; + } + } + + } + + /* + * (non-Javadoc) + * + * @see eu.dnetlib.data.collector.plugin.CollectorPlugin#collect(eu.dnetlib.data.collector.rmi.InterfaceDescriptor, java.lang.String, + * java.lang.String) + */ + @Override + public Iterable collect(final InterfaceDescriptor descriptor, final String fromDate, final String untilDate) throws CollectorServiceException { + + return new HTTPCSVIterator(descriptor); + } + + public boolean verifyQuotes(final String line, final char separator) { + final char[] cs = line.trim().toCharArray(); + boolean inField = false; + boolean skipNext = false; + for (int i = 0; i < cs.length; i++) { + if (skipNext) { + skipNext = false; + } else if (inField) { + if ((cs[i] == '\"') && ((i == (cs.length - 1)) || (cs[i + 1] == separator))) { + inField = false; + } else if ((cs[i] == '\"') && (i < (cs.length - 1))) { + if ((cs[i + 1] == '\"')) { + skipNext = true; + } else { + log.warn("Skipped invalid line: " + line); + return false; + } + } + } else { + if ((cs[i] == '\"') && ((i == 0) || (cs[i - 1] == separator))) { + inField = true; + } + } + } + + if (inField) { + log.warn("Skipped invalid line: " + line); + return false; + } + + return true; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpCollectorPlugin.java new file mode 100644 index 0000000..628031f --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpCollectorPlugin.java @@ -0,0 +1,39 @@ +package eu.dnetlib.data.collector.plugins; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.io.IOUtils; +import org.apache.http.HttpStatus; +import org.apache.http.client.methods.CloseableHttpResponse; +import org.apache.http.client.methods.HttpGet; +import org.apache.http.impl.client.HttpClients; + +import java.io.BufferedInputStream; +import java.io.ByteArrayInputStream; +import java.io.IOException; +import java.io.InputStream; + +public class HttpCollectorPlugin extends AbstractSplittedRecordPlugin { + + @Override + protected BufferedInputStream getBufferedInputStream(final String baseUrl) throws CollectorServiceException { + final HttpGet method = new HttpGet(baseUrl); + + try(CloseableHttpResponse response = HttpClients.createDefault().execute(method)) { + + int responseCode = response.getStatusLine().getStatusCode(); + + if (HttpStatus.SC_OK != responseCode) { + throw new CollectorServiceException("Error " + responseCode + " dowloading url: " + baseUrl); + } + + byte[] content = IOUtils.toByteArray(response.getEntity().getContent()); + + try(InputStream in = new ByteArrayInputStream(content)) { + return new BufferedInputStream(in); + } + } catch (IOException e) { + throw new CollectorServiceException("Error dowloading url: " + baseUrl); + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpConnector.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpConnector.java new file mode 100644 index 0000000..4c039ec --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/HttpConnector.java @@ -0,0 +1,224 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.IOException; +import java.io.InputStream; +import java.net.*; +import java.security.GeneralSecurityException; +import java.security.cert.X509Certificate; +import java.util.List; +import java.util.Map; +import javax.net.ssl.HttpsURLConnection; +import javax.net.ssl.SSLContext; +import javax.net.ssl.TrustManager; +import javax.net.ssl.X509TrustManager; + +import eu.dnetlib.data.collector.plugin.CollectorPluginErrorLogList; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.io.IOUtils; +import org.apache.commons.lang3.math.NumberUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +/** + * @author jochen, michele, andrea + */ +public class HttpConnector { + + private static final Log log = LogFactory.getLog(HttpConnector.class); + + private int maxNumberOfRetry = 6; + private int defaultDelay = 120; // seconds + private int readTimeOut = 120; // seconds + + private String responseType = null; + + private String userAgent = "Mozilla/5.0 (compatible; OAI; +http://www.openaire.eu)"; + + public HttpConnector() { + CookieHandler.setDefault(new CookieManager(null, CookiePolicy.ACCEPT_ALL)); + } + + /** + * Given the URL returns the content via HTTP GET + * + * @param requestUrl the URL + * @return the content of the downloaded resource + * @throws CollectorServiceException when retrying more than maxNumberOfRetry times + */ + public String getInputSource(final String requestUrl) throws CollectorServiceException { + return attemptDownlaodAsString(requestUrl, 1, new CollectorPluginErrorLogList()); + } + + /** + * Given the URL returns the content as a stream via HTTP GET + * + * @param requestUrl the URL + * @return the content of the downloaded resource as InputStream + * @throws CollectorServiceException when retrying more than maxNumberOfRetry times + */ + public InputStream getInputSourceAsStream(final String requestUrl) throws CollectorServiceException { + return attemptDownload(requestUrl, 1, new CollectorPluginErrorLogList()); + } + + private String attemptDownlaodAsString(final String requestUrl, final int retryNumber, final CollectorPluginErrorLogList errorList) + throws CollectorServiceException { + try { + InputStream s = attemptDownload(requestUrl, 1, new CollectorPluginErrorLogList()); + try { + return IOUtils.toString(s); + } catch (IOException e) { + log.error("error while retrieving from http-connection occured: " + requestUrl, e); + Thread.sleep(defaultDelay * 1000); + errorList.add(e.getMessage()); + return attemptDownlaodAsString(requestUrl, retryNumber + 1, errorList); + } + finally{ + IOUtils.closeQuietly(s); + } + } catch (InterruptedException e) { + throw new CollectorServiceException(e); + } + } + + private InputStream attemptDownload(final String requestUrl, final int retryNumber, final CollectorPluginErrorLogList errorList) + throws CollectorServiceException { + + if (retryNumber > maxNumberOfRetry) { throw new CollectorServiceException("Max number of retries exceeded. Cause: \n " + errorList); } + + log.debug("Downloading " + requestUrl + " - try: " + retryNumber); + try { + InputStream input = null; + + try { + final HttpURLConnection urlConn = (HttpURLConnection) new URL(requestUrl).openConnection(); + urlConn.setInstanceFollowRedirects(false); + urlConn.setReadTimeout(readTimeOut * 1000); + urlConn.addRequestProperty("User-Agent", userAgent); + + if (log.isDebugEnabled()) { + logHeaderFields(urlConn); + } + + int retryAfter = obtainRetryAfter(urlConn.getHeaderFields()); + if (retryAfter > 0 && urlConn.getResponseCode() == HttpURLConnection.HTTP_UNAVAILABLE) { + log.warn("waiting and repeating request after " + retryAfter + " sec."); + Thread.sleep(retryAfter * 1000); + errorList.add("503 Service Unavailable"); + urlConn.disconnect(); + return attemptDownload(requestUrl, retryNumber + 1, errorList); + } else if ((urlConn.getResponseCode() == HttpURLConnection.HTTP_MOVED_PERM) || (urlConn.getResponseCode() + == HttpURLConnection.HTTP_MOVED_TEMP)) { + final String newUrl = obtainNewLocation(urlConn.getHeaderFields()); + log.debug("The requested url has been moved to " + newUrl); + errorList.add(String.format("%s %s. Moved to: %s", urlConn.getResponseCode(), urlConn.getResponseMessage(), newUrl)); + urlConn.disconnect(); + return attemptDownload(newUrl, retryNumber + 1, errorList); + } else if (urlConn.getResponseCode() != HttpURLConnection.HTTP_OK) { + log.error(String.format("HTTP error: %s %s", urlConn.getResponseCode(), urlConn.getResponseMessage())); + Thread.sleep(defaultDelay * 1000); + errorList.add(String.format("%s %s", urlConn.getResponseCode(), urlConn.getResponseMessage())); + urlConn.disconnect(); + return attemptDownload(requestUrl, retryNumber + 1, errorList); + } else { + input = urlConn.getInputStream(); + responseType = urlConn.getContentType(); + return input; + } + } catch (IOException e) { + log.error("error while retrieving from http-connection occured: " + requestUrl, e); + Thread.sleep(defaultDelay * 1000); + errorList.add(e.getMessage()); + return attemptDownload(requestUrl, retryNumber + 1, errorList); + } + } catch (InterruptedException e) { + throw new CollectorServiceException(e); + } + } + + private void logHeaderFields(final HttpURLConnection urlConn) throws IOException { + log.debug("StatusCode: " + urlConn.getResponseMessage()); + + for (Map.Entry> e : urlConn.getHeaderFields().entrySet()) { + if (e.getKey() != null) { + for (String v : e.getValue()) { + log.debug(" key: " + e.getKey() + " - value: " + v); + } + } + } + } + + private int obtainRetryAfter(final Map> headerMap) { + for (String key : headerMap.keySet()) { + if ((key != null) && key.toLowerCase().equals("retry-after") && (headerMap.get(key).size() > 0) && NumberUtils.isCreatable(headerMap.get(key).get(0))) { + return Integer + .parseInt(headerMap.get(key).get(0)) + 10; + } + } + return -1; + } + + private String obtainNewLocation(final Map> headerMap) throws CollectorServiceException { + for (String key : headerMap.keySet()) { + if ((key != null) && key.toLowerCase().equals("location") && (headerMap.get(key).size() > 0)) { return headerMap.get(key).get(0); } + } + throw new CollectorServiceException("The requested url has been MOVED, but 'location' param is MISSING"); + } + + /** + * register for https scheme; this is a workaround and not intended for the use in trusted environments + */ + public void initTrustManager() { + final X509TrustManager tm = new X509TrustManager() { + + @Override + public void checkClientTrusted(final X509Certificate[] xcs, final String string) { + } + + @Override + public void checkServerTrusted(final X509Certificate[] xcs, final String string) { + } + + @Override + public X509Certificate[] getAcceptedIssuers() { + return null; + } + }; + try { + final SSLContext ctx = SSLContext.getInstance("TLS"); + ctx.init(null, new TrustManager[] { tm }, null); + HttpsURLConnection.setDefaultSSLSocketFactory(ctx.getSocketFactory()); + } catch (GeneralSecurityException e) { + log.fatal(e); + throw new IllegalStateException(e); + } + } + + public int getMaxNumberOfRetry() { + return maxNumberOfRetry; + } + + public void setMaxNumberOfRetry(final int maxNumberOfRetry) { + this.maxNumberOfRetry = maxNumberOfRetry; + } + + public int getDefaultDelay() { + return defaultDelay; + } + + public void setDefaultDelay(final int defaultDelay) { + this.defaultDelay = defaultDelay; + } + + public int getReadTimeOut() { + return readTimeOut; + } + + public void setReadTimeOut(final int readTimeOut) { + this.readTimeOut = readTimeOut; + } + + public String getResponseType() { + return responseType; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzCollectorPlugin.java new file mode 100644 index 0000000..7a36857 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzCollectorPlugin.java @@ -0,0 +1,24 @@ +package eu.dnetlib.data.collector.plugins.archive.targz; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Collector pluging for collecting a .tar.gz folder of records + * + * @author andrea + * + */ +public class TarGzCollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + + final String baseUrl = interfaceDescriptor.getBaseUrl(); + if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + return new TarGzIterable(interfaceDescriptor); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzIterable.java new file mode 100644 index 0000000..aca4b78 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzIterable.java @@ -0,0 +1,48 @@ +package eu.dnetlib.data.collector.plugins.archive.targz; + +import java.io.File; +import java.net.MalformedURLException; +import java.net.URL; +import java.util.Iterator; + +import com.google.common.base.Function; +import com.google.common.collect.Iterators; + +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * The Class TarGzIterable. + * + * @author Andrea + */ +public class TarGzIterable implements Iterable { + + /** The path to tar.gz archive. */ + private File tarGzFile; + + public TarGzIterable(final InterfaceDescriptor interfaceDescriptor) throws CollectorServiceException { + try { + final String tarGzPath = interfaceDescriptor.getBaseUrl(); + URL tarGzUrl = new URL(tarGzPath); + this.tarGzFile = new File(tarGzUrl.getPath()); + if (!tarGzFile.exists()) { throw new CollectorServiceException(String.format("The base ULR %s, does not exist", tarGzFile.getPath())); } + } catch (MalformedURLException e) { + throw new CollectorServiceException("TarGz collector failed! ", e); + } + } + + @Override + public Iterator iterator() { + final TarGzIterator tgzIterator = new TarGzIterator(tarGzFile.getAbsolutePath()); + return Iterators.transform(tgzIterator, new Function() { + + @Override + public String apply(final String inputRecord) { + return XmlCleaner.cleanAllEntities(inputRecord.startsWith("\uFEFF") ? inputRecord.substring(1) : inputRecord); + } + }); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzIterator.java new file mode 100644 index 0000000..95aa099 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/targz/TarGzIterator.java @@ -0,0 +1,86 @@ +package eu.dnetlib.data.collector.plugins.archive.targz; + +import java.io.BufferedInputStream; +import java.io.File; +import java.io.FileInputStream; +import java.io.FileNotFoundException; +import java.io.IOException; +import java.util.Iterator; +import java.util.zip.GZIPInputStream; + +import org.apache.commons.compress.archivers.tar.TarArchiveEntry; +import org.apache.commons.compress.archivers.tar.TarArchiveInputStream; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +public class TarGzIterator implements Iterator { + + /** The Constant log. */ + private static final Log log = LogFactory.getLog(TarGzIterator.class); + + private TarArchiveInputStream tarInputStream; + private String current; + + public TarGzIterator(final String tarGzPath) { + try { + this.tarInputStream = new TarArchiveInputStream(new BufferedInputStream(new GZIPInputStream(new FileInputStream(tarGzPath)))); + this.current = findNext(); + } catch (FileNotFoundException e) { + log.error("Tar.gz file not found: " + tarGzPath, e); + } catch (IOException e) { + log.error("Problem opening tar.gz file " + tarGzPath, e); + } + } + + public TarGzIterator(final File tarGzFile) { + try { + this.tarInputStream = new TarArchiveInputStream(new BufferedInputStream(new GZIPInputStream(new FileInputStream(tarGzFile)))); + this.current = findNext(); + } catch (FileNotFoundException e) { + log.error("Tar.gz file not found: " + tarGzFile.getAbsolutePath(), e); + } catch (IOException e) { + log.error("Problem opening tar.gz file " + tarGzFile.getAbsolutePath(), e); + } + } + + @Override + public boolean hasNext() { + return current != null; + } + + @Override + public String next() { + String ret = new String(current); + current = findNext(); + return ret; + } + + @Override + public void remove() {} + + private synchronized String findNext() { + TarArchiveEntry entry = null; + try { + while (null != (entry = tarInputStream.getNextTarEntry()) && !entry.isFile()) { + log.debug("Skipping TAR entry " + entry.getName()); + } + } catch (IOException e) { + log.error("Error during tar.gz extraction", e); + } + + if (entry == null) { + return null; + } else { + log.debug("Extracting " + entry.getName()); + byte[] content = new byte[(int) entry.getSize()]; + try { + tarInputStream.read(content, 0, content.length); + return new String(content); + } catch (IOException e) { + log.error("Impossible to extract file " + entry.getName(), e); + return null; + } + + } + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipCollectorPlugin.java new file mode 100644 index 0000000..e9c8814 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipCollectorPlugin.java @@ -0,0 +1,24 @@ +package eu.dnetlib.data.collector.plugins.archive.zip; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Collector pluging for collecting a zipped folder of records + * + * @author Andrea + * + */ +public class ZipCollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + + final String baseUrl = interfaceDescriptor.getBaseUrl(); + if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + return new ZipIterable(interfaceDescriptor); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipIterable.java new file mode 100644 index 0000000..c43d899 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipIterable.java @@ -0,0 +1,48 @@ +package eu.dnetlib.data.collector.plugins.archive.zip; + +import java.io.File; +import java.net.MalformedURLException; +import java.net.URL; +import java.util.Iterator; + +import com.google.common.base.Function; +import com.google.common.collect.Iterators; + +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * + * @author Andrea + * + */ +public class ZipIterable implements Iterable { + + /** The path to .zip archive. */ + private File zipFile; + + public ZipIterable(final InterfaceDescriptor interfaceDescriptor) throws CollectorServiceException { + try { + final String zipPath = interfaceDescriptor.getBaseUrl(); + URL zipUrl = new URL(zipPath); + this.zipFile = new File(zipUrl.getPath()); + if (!zipFile.exists()) { throw new CollectorServiceException(String.format("The base ULR %s, does not exist", zipFile.getPath())); } + } catch (MalformedURLException e) { + throw new CollectorServiceException("Zip collector failed! ", e); + } + } + + @Override + public Iterator iterator() { + final ZipIterator zipIterator = new ZipIterator(zipFile.getAbsolutePath()); + return Iterators.transform(zipIterator, new Function() { + + @Override + public String apply(final String inputRecord) { + return XmlCleaner.cleanAllEntities(inputRecord.startsWith("\uFEFF") ? inputRecord.substring(1) : inputRecord); + } + }); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipIterator.java new file mode 100644 index 0000000..a9a6a42 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/archive/zip/ZipIterator.java @@ -0,0 +1,80 @@ +package eu.dnetlib.data.collector.plugins.archive.zip; + +import java.io.File; +import java.io.IOException; +import java.io.InputStream; +import java.util.Enumeration; +import java.util.Iterator; +import java.util.zip.ZipEntry; +import java.util.zip.ZipFile; + +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +public class ZipIterator implements Iterator { + + /** The Constant log. */ + private static final Log log = LogFactory.getLog(ZipIterator.class); + + ZipFile zipFile; + Enumeration entries; + private String current; + + public ZipIterator(final String zipPath) { + try { + this.zipFile = new ZipFile(zipPath); + this.entries = zipFile.entries(); + this.current = findNext(); + } catch (IOException e) { + log.error("Problems opening the .zip file " + zipPath, e); + } + } + + public ZipIterator(final File file) { + try { + this.zipFile = new ZipFile(file); + this.entries = zipFile.entries(); + this.current = findNext(); + } catch (IOException e) { + log.error("Problems opening the .zip file " + zipFile.getName(), e); + } + } + + @Override + public boolean hasNext() { + return current != null; + } + + @Override + public String next() { + String ret = new String(current); + current = findNext(); + return ret; + } + + @Override + public void remove() {} + + private synchronized String findNext() { + ZipEntry entry = null; + while (entries.hasMoreElements() && (entry = entries.nextElement()).isDirectory()) { + log.debug("Skipping Zip entry " + entry.getName()); + } + + if (entry == null) { + return null; + } else { + log.debug("Extracting " + entry.getName()); + try { + InputStream stream = zipFile.getInputStream(entry); + return IOUtils.toString(stream); + } catch (IOException e) { + log.error("Problems extracting entry " + entry.getName(), e); + return null; + } + } + + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/DataciteCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/DataciteCollectorPlugin.java new file mode 100644 index 0000000..25564b7 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/DataciteCollectorPlugin.java @@ -0,0 +1,51 @@ +package eu.dnetlib.data.collector.plugins.datacite; + +import java.text.ParseException; +import java.time.format.DateTimeFormatter; +import java.util.Date; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.plugin.CollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +public class DataciteCollectorPlugin extends AbstractCollectorPlugin implements CollectorPlugin { + + private static final Log log = LogFactory.getLog(DataciteCollectorPlugin.class); + + private DateTimeFormatter dtf = DateTimeFormatter.ofPattern("yyyy-MM-dd"); + + @Override + public Iterable collect(InterfaceDescriptor interfaceDescriptor, String fromDate, String untilDate) throws CollectorServiceException { + + String baseurl = interfaceDescriptor.getBaseUrl(); + if (StringUtils.isBlank(baseurl)) throw new CollectorServiceException("baseUrl cannot be empty"); + long timestamp = 0; + if (StringUtils.isNotBlank(fromDate)) { + try { + Date date = org.apache.commons.lang.time.DateUtils.parseDate( + fromDate, + new String[] { "yyyy-MM-dd", "yyyy-MM-dd'T'HH:mm:ssXXX", "yyyy-MM-dd'T'HH:mm:ss.SSSX", "yyyy-MM-dd'T'HH:mm:ssZ", + "yyyy-MM-dd'T'HH:mm:ss.SX" }); + //timestamp =parsed.getTime() /1000; + timestamp = date.toInstant().toEpochMilli() / 1000; + log.info("Querying for Datacite records from timestamp " + timestamp + " (date was " + fromDate + ")"); + + } catch (ParseException e) { + throw new CollectorServiceException(e); + } + } + final long finalTimestamp = timestamp; + return () -> { + try { + return new DataciteESIterator(finalTimestamp, baseurl); + } catch (Exception e) { + throw new RuntimeException(e); + } + }; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/DataciteESIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/DataciteESIterator.java new file mode 100644 index 0000000..b564539 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/DataciteESIterator.java @@ -0,0 +1,125 @@ +package eu.dnetlib.data.collector.plugins.datacite; + + +import java.io.ByteArrayOutputStream; +import java.io.IOException; +import java.net.URL; +import java.util.ArrayDeque; +import java.util.Iterator; +import java.util.Objects; +import java.util.Queue; +import java.util.zip.DataFormatException; +import java.util.zip.Inflater; + +import com.google.gson.Gson; +import com.google.gson.GsonBuilder; +import eu.dnetlib.data.collector.plugins.datacite.schema.DataciteSchema; +import eu.dnetlib.data.collector.plugins.datacite.schema.Result; +import org.apache.commons.codec.binary.Base64; +import org.apache.commons.io.IOUtils; +import org.apache.commons.lang3.StringUtils; + +public class DataciteESIterator implements Iterator { + + + private final long timestamp; + + private String scrollId; + + private Queue currentPage; + + private final Gson g = new GsonBuilder().create(); + + private String baseURL = "http://ip-90-147-167-25.ct1.garrservices.it:5000"; + + private static final String START_PATH = "new_scan"; + private static final String NEXT_PATH = "scan/%s"; + + + public DataciteESIterator(long timestamp, String baseUrl) throws Exception { + this.timestamp = timestamp; + this.baseURL = baseUrl; + currentPage = new ArrayDeque<>(); + startRequest(); + } + + private static String decompression(final Result r) { + try { + byte[] byteArray = Base64.decodeBase64(r.getBody().getBytes()); + Inflater decompresser = new Inflater(); + decompresser.setInput(byteArray); + ByteArrayOutputStream bos = new ByteArrayOutputStream(byteArray.length); + byte[] buffer = new byte[8192]; + while (!decompresser.finished()) { + int size = decompresser.inflate(buffer); + bos.write(buffer, 0, size); + } + byte[] unzippeddata = bos.toByteArray(); + decompresser.end(); + + return new String(unzippeddata); + } catch (DataFormatException e) { + return null; + } + + } + + private void fillQueue(final String hits) { + if (StringUtils.isBlank(hits) || "[]".equalsIgnoreCase(hits.trim())) + return; + try { + DataciteSchema datacitepage = g.fromJson(hits, DataciteSchema.class); + this.scrollId = datacitepage.getScrollId(); + datacitepage.getResult().stream().map(DataciteESIterator::decompression).filter(Objects::nonNull).forEach(this.currentPage::add); + } catch (Throwable e) { + System.out.println(hits); + e.printStackTrace(); + } + } + + private void startRequest() throws Exception { + String url = baseURL+"/"+START_PATH; + final URL startUrl = new URL(timestamp >0 ? url + "?timestamp="+timestamp : url); + fillQueue(IOUtils.toString(startUrl.openStream())); + } + + private void getNextPage() throws IOException { + String url = baseURL+"/"+NEXT_PATH; + final URL startUrl = new URL(String.format(url,scrollId)); + fillQueue(IOUtils.toString(startUrl.openStream())); + } + + + @Override + public boolean hasNext() { + return currentPage.size() >0; + } + + @Override + public String next() { + + if (currentPage.size() == 0) { + + return null; + } + + String nextItem = currentPage.remove(); + if (currentPage.size() == 0) { + try { + getNextPage(); + } catch (Throwable e) { + throw new RuntimeException(e); + } + } + + return nextItem; + } + + public String getBaseURL() { + return baseURL; + } + + public void setBaseURL(final String baseURL) { + this.baseURL = baseURL; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/schema/DataciteSchema.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/schema/DataciteSchema.java new file mode 100644 index 0000000..e4da6a7 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/schema/DataciteSchema.java @@ -0,0 +1,55 @@ + +package eu.dnetlib.data.collector.plugins.datacite.schema; + +import java.util.List; +import com.google.gson.annotations.Expose; +import com.google.gson.annotations.SerializedName; + +public class DataciteSchema { + + @SerializedName("counter") + @Expose + private Integer counter; + @SerializedName("result") + @Expose + private List result = null; + @SerializedName("scroll_id") + @Expose + private String scrollId; + @SerializedName("total") + @Expose + private Integer total; + + public Integer getCounter() { + return counter; + } + + public void setCounter(Integer counter) { + this.counter = counter; + } + + public List getResult() { + return result; + } + + public void setResult(List result) { + this.result = result; + } + + public String getScrollId() { + return scrollId; + } + + public void setScrollId(String scrollId) { + this.scrollId = scrollId; + } + + public Integer getTotal() { + return total; + } + + public void setTotal(Integer total) { + this.total = total; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/schema/Result.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/schema/Result.java new file mode 100644 index 0000000..4440669 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datacite/schema/Result.java @@ -0,0 +1,54 @@ + +package eu.dnetlib.data.collector.plugins.datacite.schema; + +import com.google.gson.annotations.Expose; +import com.google.gson.annotations.SerializedName; + +public class Result { + + @SerializedName("body") + @Expose + private String body; + @SerializedName("id") + @Expose + private String id; + @SerializedName("originalId") + @Expose + private String originalId; + @SerializedName("timestamp") + @Expose + private Integer timestamp; + + public String getBody() { + return body; + } + + public void setBody(String body) { + this.body = body; + } + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } + + public String getOriginalId() { + return originalId; + } + + public void setOriginalId(String originalId) { + this.originalId = originalId; + } + + public Integer getTimestamp() { + return timestamp; + } + + public void setTimestamp(Integer timestamp) { + this.timestamp = timestamp; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByJournalIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByJournalIterator.java new file mode 100644 index 0000000..4bab19b --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByJournalIterator.java @@ -0,0 +1,115 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.io.IOException; +import java.util.Iterator; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +/** + * The Class DatasetsByProjectIterator. + */ +public class DatasetsByJournalIterator implements Iterable, Iterator { + + /** The current iterator. */ + private Iterator currentIterator; + + /** The current project. */ + private PangaeaJournalInfo currentJournal; + + private Iterator inputIterator; + + /** The logger. */ + private static final Log log = LogFactory.getLog(DatasetsByProjectIterator.class); + + public DatasetsByJournalIterator(final Iterator iterator) { + this.inputIterator = iterator; + this.currentJournal = extractNextLine(); + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#hasNext() + */ + @Override + public boolean hasNext() { + // CASE WHEN WE REACH THE LAST ITEM ON CSV + // OR WE HAD SOME PROBLEM ON GET NEXT CSV ITEM + if (this.currentJournal == null) { return false; } + // IN THIS CASE WE HAVE ANOTHER DATASETS + // FOR THE CURRENT PROJECT AND RETURN TRUE + if (currentIterator != null && currentIterator.hasNext()) { return true; } + // OTHERWISE WE FINISHED TO ITERATE THE CURRENT + // SETS OF DATASETS FOR A PARTICULAR PROJECT + // SO WE HAVE TO RETRIEVE THE NEXT ITERATOR WITH + // ITEMS + this.currentJournal = extractNextLine(); + + while (this.currentJournal != null) { + currentIterator = getNextIterator(); + // IF THE NEXT ITERATOR HAS ITEMS RETURN YES + // OTHERWISE THE CICLE CONTINUE + if (currentIterator.hasNext()) { return true; } + this.currentJournal = extractNextLine(); + } + return false; + + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#next() + */ + @Override + public String next() { + return this.currentIterator.next(); + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#remove() + */ + @Override + public void remove() {} + + /* + * (non-Javadoc) + * + * @see java.lang.Iterable#iterator() + */ + @Override + public Iterator iterator() { + if (this.currentJournal != null) { + currentIterator = getNextIterator(); + return this; + } + return null; + + } + + private Iterator getNextIterator() { + QueryField q = new QueryField(); + RequestField r = new RequestField(); + r.setQuery(q); + q.getTerm().put("ft-techkeyword", this.currentJournal.getJournalId()); + + return new DatasetsIterator(r, "", this.currentJournal).iterator(); + } + + /** + * Extract next line. + * + * @return the map + * @throws IOException + * Signals that an I/O exception has occurred. + */ + private PangaeaJournalInfo extractNextLine() { + + if (this.inputIterator.hasNext() == false) { return null; } + return this.inputIterator.next(); + + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectIterator.java new file mode 100644 index 0000000..25879eb --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectIterator.java @@ -0,0 +1,158 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.io.BufferedReader; +import java.io.IOException; +import java.io.InputStreamReader; +import java.util.Iterator; +import java.util.Map; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import com.google.common.collect.Maps; + +/** + * The Class DatasetsByProjectIterator. + */ +public class DatasetsByProjectIterator implements Iterable, Iterator { + + private static final String SPLIT_REGEX = ";"; + + /** The project id key. */ + public static String PROJECT_ID_KEY = "id"; + + /** The project name key. */ + public static String PROJECT_NAME_KEY = "name"; + + /** The project corda id key. */ + public static String PROJECT_CORDA_ID_KEY = "corda_id"; + + /** The current iterator. */ + private Iterator currentIterator; + + /** The csv reader. */ + private BufferedReader csvReader; + + /** The current project. */ + private Map currentProject; + + /** The logger. */ + private static final Log log = LogFactory.getLog(DatasetsByProjectIterator.class); + + /** + * Instantiates a new datasets by project iterator. + * + * @param csvInputStream + * the csv input stream + * @throws IOException + * Signals that an I/O exception has occurred. + */ + public DatasetsByProjectIterator(final InputStreamReader csvInputStream) throws IOException { + this.csvReader = new BufferedReader(csvInputStream); + this.currentProject = extractNextLine(); + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#hasNext() + */ + @Override + public boolean hasNext() { + // CASE WHEN WE REACH THE LAST ITEM ON CSV + // OR WE HAD SOME PROBLEM ON GET NEXT CSV ITEM + if (this.currentProject == null) { return false; } + // IN THIS CASE WE HAVE ANOTHER DATASETS + // FOR THE CURRENT PROJECT AND RETURN TRUE + if (currentIterator != null && currentIterator.hasNext()) { return true; } + // OTHERWISE WE FINISHED TO ITERATE THE CURRENT + // SETS OF DATASETS FOR A PARTICULAR PROJECT + // SO WE HAVE TO RETRIEVE THE NEXT ITERATOR WITH + // ITEMS + this.currentProject = extractNextLine(); + + while (this.currentProject != null) { + currentIterator = getNextIterator(); + // IF THE NEXT ITERATOR HAS ITEMS RETURN YES + // OTHERWISE THE CICLE CONTINUE + if (currentIterator.hasNext()) { return true; } + this.currentProject = extractNextLine(); + } + return false; + + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#next() + */ + @Override + public String next() { + return this.currentIterator.next(); + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#remove() + */ + @Override + public void remove() {} + + /* + * (non-Javadoc) + * + * @see java.lang.Iterable#iterator() + */ + @Override + public Iterator iterator() { + if (this.currentProject != null) { + currentIterator = getNextIterator(); + return this; + } + return null; + + } + + private Iterator getNextIterator() { + QueryField q = new QueryField(); + RequestField r = new RequestField(); + r.setQuery(q); + q.getTerm().put("ft-techkeyword", this.currentProject.get(PROJECT_ID_KEY)); + return new DatasetsIterator(r, this.currentProject.get(PROJECT_CORDA_ID_KEY), null).iterator(); + } + + /** + * Extract next line. + * + * @return the map + * @throws IOException + * Signals that an I/O exception has occurred. + */ + private Map extractNextLine() { + String line; + try { + line = this.csvReader.readLine(); + } catch (IOException e) { + return null; + } + // WE REACH THE END OF THE CSV + if (line == null) { return null; } + log.debug("splitting line: " + line); + String[] values = line.split(SPLIT_REGEX); + if (values == null || values.length != 4) { + log.error("Error on splitting line, the length must be 4"); + return null; + } + int id = Integer.parseInt(values[0]); + String project_name = values[2]; + String cordaId = values[3]; + Map splittedMap = Maps.newHashMap(); + splittedMap.put(PROJECT_CORDA_ID_KEY, cordaId); + splittedMap.put(PROJECT_ID_KEY, "project" + id); + splittedMap.put(PROJECT_NAME_KEY, project_name); + log.debug(String.format("found project %s with id Corda: %s and id for API: %s", project_name, cordaId, "project" + id)); + return splittedMap; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectPlugin.java new file mode 100644 index 0000000..ce44abc --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectPlugin.java @@ -0,0 +1,27 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.io.IOException; +import java.io.InputStreamReader; +import java.net.URL; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +public class DatasetsByProjectPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + try { + URL url = new URL(interfaceDescriptor.getBaseUrl()); + url.openConnection(); + InputStreamReader reader = new InputStreamReader(url.openStream()); + DatasetsByProjectIterator iterator = new DatasetsByProjectIterator(reader); + return iterator; + } catch (IOException e) { + throw new CollectorServiceException("OOOPS something bad happen on creating iterator ", e); + } + + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsIterator.java new file mode 100644 index 0000000..6912b25 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsIterator.java @@ -0,0 +1,274 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.io.IOException; +import java.io.InputStream; +import java.util.Iterator; + +import org.apache.commons.io.IOUtils; +import org.apache.commons.lang3.StringEscapeUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.http.client.methods.CloseableHttpResponse; +import org.apache.http.client.methods.HttpPost; +import org.apache.http.entity.StringEntity; +import org.apache.http.impl.client.CloseableHttpClient; +import org.apache.http.impl.client.HttpClients; + +import com.google.gson.Gson; +import com.google.gson.GsonBuilder; + +/** + * The Class JournalIterator. + */ +public class DatasetsIterator implements Iterable, Iterator { + + /** The logger. */ + private static final Log log = LogFactory.getLog(DatasetsIterator.class); + + /** The base url template. */ + private static String BASE_URL_TEMPLATE = "http://ws.pangaea.de/es/pangaea/panmd/_search?_source=xml&size=%d&from=%d"; + + /** The journal id. */ + private String journalId = ""; + + /** The journal name. */ + private String journalName = ""; + + /** The journal issn. */ + private String journalISSN = ""; + + /** The openaire datasource. */ + private String openaireDatasource = ""; + + /** The total. */ + private long total; + + /** The from. */ + private int from; + + /** The current iterator. */ + private int currentIterator; + + /** The current response. */ + private ElasticSearchResponse currentResponse; + + /** The request. */ + private RequestField request; + + /** The default size. */ + private static int DEFAULT_SIZE = 10; + + private String projectCordaId; + + private static String RECORD_TEMPLATE = "%s" + + "%s"; + + /** + * Instantiates a new journal iterator. + * + * @param request + * the request + */ + public DatasetsIterator(final RequestField request, final String projectCordaId, final PangaeaJournalInfo info) { + this.request = request; + this.setProjectCordaId(projectCordaId); + + if (info != null) { + this.setJournalId(info.getJournalId()); + this.setJournalName(StringEscapeUtils.escapeXml(info.getJournalName())); + this.setJournalISSN(info.getJournalISSN()); + this.setOpenaireDatasource(info.getDatasourceId()); + } + log.debug("Start Iterator"); + } + + /** + * Execute query. + * + * @param from + * the from + * @param size + * the size + * @return the string + */ + private String executeQuery(final int from, final int size) { + log.debug("executing query " + this.request.getQuery().getTerm()); + log.debug(String.format("from:%d size:%d", from, size)); + CloseableHttpResponse response = null; + InputStream responseBody = null; + CloseableHttpClient httpclient = HttpClients.createDefault(); + try { + + HttpPost post = new HttpPost(String.format(BASE_URL_TEMPLATE, size, from)); + Gson g = new GsonBuilder().disableHtmlEscaping().create(); + StringEntity entry = new StringEntity(g.toJson(this.request)); + post.setEntity(entry); + long start = System.currentTimeMillis(); + response = httpclient.execute(post); + int statusCode = response.getStatusLine().getStatusCode(); + if (statusCode == 200) { + responseBody = response.getEntity().getContent(); + String s = IOUtils.toString(responseBody); + log.debug("Request done in " + (System.currentTimeMillis() - start) + " ms"); + responseBody.close(); + return s; + } + return null; + } catch (Exception e) { + log.error("Error on executing query :" + request.getQuery().getTerm(), e); + return null; + } finally { + try { + responseBody.close(); + response.close(); + httpclient.close(); + } catch (IOException e) { + log.error("Can't close connections gracefully", e); + } + } + + } + + /** + * Gets the journal id. + * + * @return the journalId + */ + public String getJournalId() { + return journalId; + } + + /** + * Sets the journal id. + * + * @param journalId + * the journalId to set + */ + public void setJournalId(final String journalId) { + this.journalId = journalId; + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#hasNext() + */ + @Override + public boolean hasNext() { + return (from + currentIterator) < total; + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#next() + */ + @Override + public String next() { + String xml = String.format(RECORD_TEMPLATE, this.projectCordaId, this.journalName, this.journalISSN, this.openaireDatasource, currentResponse + .getXmlRecords().get(currentIterator)); + currentIterator++; + if (currentIterator == DEFAULT_SIZE) { + getNextItem(); + } + return xml; + } + + /* + * (non-Javadoc) + * + * @see java.util.Iterator#remove() + */ + @Override + public void remove() { + throw new UnsupportedOperationException(); + + } + + /* + * (non-Javadoc) + * + * @see java.lang.Iterable#iterator() + */ + @Override + public Iterator iterator() { + from = 0; + total = 0; + getNextItem(); + return this; + } + + /** + * Gets the next item. + * + * @return the next item + */ + private void getNextItem() { + from += currentIterator; + currentResponse = ElasticSearchResponse.createNewResponse(executeQuery(from, DEFAULT_SIZE)); + total = currentResponse == null ? 0 : currentResponse.getTotal(); + log.debug("from : " + from + " total of the request is " + total); + currentIterator = 0; + } + + /** + * @return the projectCordaId + */ + public String getProjectCordaId() { + return projectCordaId; + } + + /** + * @param projectCordaId + * the projectCordaId to set + */ + public void setProjectCordaId(final String projectCordaId) { + this.projectCordaId = projectCordaId; + } + + /** + * @return the journalName + */ + public String getJournalName() { + return journalName; + } + + /** + * @param journalName + * the journalName to set + */ + public void setJournalName(final String journalName) { + this.journalName = journalName; + } + + /** + * @return the journalISSN + */ + public String getJournalISSN() { + return journalISSN; + } + + /** + * @param journalISSN + * the journalISSN to set + */ + public void setJournalISSN(final String journalISSN) { + this.journalISSN = journalISSN; + } + + /** + * @return the openaireDatasource + */ + public String getOpenaireDatasource() { + return openaireDatasource; + } + + /** + * @param openaireDatasource + * the openaireDatasource to set + */ + public void setOpenaireDatasource(final String openaireDatasource) { + this.openaireDatasource = openaireDatasource; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/ElasticSearchResponse.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/ElasticSearchResponse.java new file mode 100644 index 0000000..d61e40d --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/ElasticSearchResponse.java @@ -0,0 +1,82 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.util.ArrayList; +import java.util.List; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import com.google.gson.JsonArray; +import com.google.gson.JsonElement; +import com.google.gson.JsonObject; +import com.google.gson.JsonParser; + +public class ElasticSearchResponse { + + /** The logger. */ + private static final Log log = LogFactory.getLog(ElasticSearchResponse.class); + private long total; + private List xmlRecords; + + public static ElasticSearchResponse createNewResponse(final String response) { + ElasticSearchResponse item = new ElasticSearchResponse(); + + if (response == null) { + log.fatal("Error: null elasticsearch reponse"); + return null; + + } + JsonElement jElement = new JsonParser().parse(response); + JsonObject jobject = jElement.getAsJsonObject(); + if (jobject.has("hits")) { + + item.setTotal(jobject.get("hits").getAsJsonObject().get("total").getAsLong()); + + JsonElement hits = ((JsonObject) jobject.get("hits")).get("hits"); + + JsonArray hitsObject = hits.getAsJsonArray(); + + List records = new ArrayList(); + + for (JsonElement elem : hitsObject) { + JsonObject _source = (JsonObject) ((JsonObject) elem).get("_source"); + String xml = _source.get("xml").getAsString(); + records.add(xml); + } + item.setXmlRecords(records); + return item; + } + return null; + } + + /** + * @return the xmlRecords + */ + public List getXmlRecords() { + return xmlRecords; + } + + /** + * @param xmlRecords + * the xmlRecords to set + */ + public void setXmlRecords(final List xmlRecords) { + this.xmlRecords = xmlRecords; + } + + /** + * @return the total + */ + public long getTotal() { + return total; + } + + /** + * @param total + * the total to set + */ + public void setTotal(final long total) { + this.total = total; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/PangaeaJournalInfo.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/PangaeaJournalInfo.java new file mode 100644 index 0000000..27d7e7c --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/PangaeaJournalInfo.java @@ -0,0 +1,92 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +/** + * The Class PangaeaJorunalInfo. + */ +public class PangaeaJournalInfo { + + /** The journal name. */ + private String journalName; + + /** The journal id. */ + private String journalId; + + /** The datasource id. */ + private String datasourceId; + + /** The journal issn. */ + private String journalISSN; + + /** + * Gets the journal name. + * + * @return the journal name + */ + public String getJournalName() { + return journalName; + } + + /** + * Sets the journal name. + * + * @param journalName + * the new journal name + */ + public void setJournalName(final String journalName) { + this.journalName = journalName; + } + + /** + * Gets the journal id. + * + * @return the journal id + */ + public String getJournalId() { + return journalId; + } + + /** + * Sets the journal id. + * + * @param journalId + * the new journal id + */ + public void setJournalId(final String journalId) { + this.journalId = journalId; + } + + /** + * Gets the datasource id. + * + * @return the datasource id + */ + public String getDatasourceId() { + return datasourceId; + } + + /** + * Sets the datasource id. + * + * @param datasourceId + * the new datasource id + */ + public void setDatasourceId(final String datasourceId) { + this.datasourceId = datasourceId; + } + + /** + * @return the journalISSN + */ + public String getJournalISSN() { + return journalISSN; + } + + /** + * @param journalISSN + * the journalISSN to set + */ + public void setJournalISSN(final String journalISSN) { + this.journalISSN = journalISSN; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/QueryField.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/QueryField.java new file mode 100644 index 0000000..cbc3db2 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/QueryField.java @@ -0,0 +1,29 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.util.HashMap; +import java.util.Map; + +public class QueryField { + + private Map term; + + public QueryField() { + setTerm(new HashMap()); + } + + /** + * @return the term + */ + public Map getTerm() { + return term; + } + + /** + * @param term + * the term to set + */ + public void setTerm(final Map term) { + this.term = term; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/RequestField.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/RequestField.java new file mode 100644 index 0000000..d60eb26 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasets/RequestField.java @@ -0,0 +1,21 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +public class RequestField { + + private QueryField query; + + /** + * @return the query + */ + public QueryField getQuery() { + return query; + } + + /** + * @param query the query to set + */ + public void setQuery(QueryField query) { + this.query = query; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataCollectorPlugin.java new file mode 100644 index 0000000..b4990cd --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataCollectorPlugin.java @@ -0,0 +1,66 @@ +package eu.dnetlib.data.collector.plugins.datasources; + +import java.io.IOException; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.io.IOUtils; +import org.springframework.beans.factory.annotation.Autowired; + +/** + * Plugin to collect metadata record about data repositories from re3data. + *

+ * Documentation on re3data API: http://service.re3data.org/api/doc. + *

+ *

+ * BaseURL: http://service.re3data.org + *

+ *

+ * API to get the list of repos: baseURL + /api/v1/repositories + *

+ *

+ * API to get a repository: baseURL + content of link/@href of the above list + *

+ * + * @author alessia + * + */ +public class Re3DataCollectorPlugin extends AbstractCollectorPlugin { + + private String repositoryListPath = "/api/v1/repositories"; + + @Autowired + private HttpConnector httpConnector; + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + String repositoryListURL = interfaceDescriptor.getBaseUrl() + repositoryListPath; + String input; + try { + input = httpConnector.getInputSource(repositoryListURL); + return new Re3DataRepositoriesIterator(IOUtils.toInputStream(input, "UTF-8"), interfaceDescriptor.getBaseUrl(), getHttpConnector()); + } catch (IOException e) { + throw new CollectorServiceException(e); + } + + } + + public String getRepositoryListPath() { + return repositoryListPath; + } + + public void setRepositoryListPath(final String repositoryListPath) { + this.repositoryListPath = repositoryListPath; + } + + public HttpConnector getHttpConnector() { + return httpConnector; + } + + public void setHttpConnector(final HttpConnector httpConnector) { + this.httpConnector = httpConnector; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataRepositoriesIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataRepositoriesIterator.java new file mode 100644 index 0000000..a7b87a6 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataRepositoriesIterator.java @@ -0,0 +1,151 @@ +package eu.dnetlib.data.collector.plugins.datasources; + +import java.io.InputStream; +import java.util.Iterator; +import java.util.NoSuchElementException; +import javax.xml.stream.XMLInputFactory; +import javax.xml.stream.XMLStreamConstants; +import javax.xml.stream.XMLStreamException; +import javax.xml.stream.XMLStreamReader; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.CollectorServiceRuntimeException; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; + +public class Re3DataRepositoriesIterator implements Iterator, Iterable { + + private static final Log log = LogFactory.getLog(Re3DataRepositoriesIterator.class); // NOPMD by marko on 11/24/08 5:02 PM + + private String baseURL; + private XMLStreamReader reader; + private int countedRepos = 0; + private String currentRepoPath = null; + + private HttpConnector httpConnector; + + @Override + public boolean hasNext() { + return currentRepoPath != null; + } + + @Override + public String next() { + if (currentRepoPath == null) throw new NoSuchElementException(); + + try { + String repoInfo = getRepositoryInfo(currentRepoPath); + return repoInfo; + } finally { + currentRepoPath = moveToNextRepo(); + } + } + + @Override + public void remove() { + throw new UnsupportedOperationException(); + } + + @Override + public Iterator iterator() { + return this; + } + + public Re3DataRepositoriesIterator(final InputStream xmlInputStream, final String baseUrl, final HttpConnector httpConnector) throws CollectorServiceException { + this.httpConnector = httpConnector; + XMLInputFactory factory = XMLInputFactory.newInstance(); + try { + reader = factory.createXMLStreamReader(xmlInputStream); + } catch (XMLStreamException e) { + throw new CollectorServiceException(e); + } + baseURL = baseUrl; + + // try to fetch the 1st + currentRepoPath = moveToNextRepo(); + } + + private String getNextRepositoryPath() { + return reader.getAttributeValue(null, "href"); + } + + private String moveToNextRepo() { + try { + while (reader.hasNext()) { + int event = reader.next(); + if (event == XMLStreamConstants.START_ELEMENT) { + String elementName = reader.getLocalName(); + if (elementName.equals("link")) { + String repoPath = getNextRepositoryPath(); + log.debug(String.format("Found %s repositories. The last has link %s", ++countedRepos, repoPath)); + return repoPath; + } + } + } + log.info("Seems there are no more repository to iterate on. Total: " + countedRepos); + return null; + } catch (XMLStreamException e) { + throw new CollectorServiceRuntimeException(e); + } + } + + private String getRepositoryInfo(final String repositoryPath) throws CollectorServiceRuntimeException { + + String targetURL = repositoryPath; + if(!repositoryPath.startsWith(baseURL)) + targetURL = baseURL + repositoryPath; + try { + log.info(targetURL); + String inputSource = getHttpConnector().getInputSource(targetURL); + + return XmlCleaner.cleanAllEntities(inputSource); + } catch (CollectorServiceException e) { + throw new CollectorServiceRuntimeException("OOOPS something bad happen getting repo info from " + targetURL, e); + } + } + +// public String testAccess(){ +// return getRepositoryInfo("/api/v1/repository/r3d100012823"); +// } + public String getBaseURL() { + return baseURL; + } + + public void setBaseURL(final String baseURL) { + this.baseURL = baseURL; + } + + public int getCountedRepos() { + return countedRepos; + } + + public void setCountedRepos(final int countedRepos) { + this.countedRepos = countedRepos; + } + + public XMLStreamReader getReader() { + return reader; + } + + public void setReader(final XMLStreamReader reader) { + this.reader = reader; + } + + public String getCurrentRepoPath() { + return currentRepoPath; + } + + public void setCurrentRepoPath(final String currentRepoPath) { + this.currentRepoPath = currentRepoPath; + } + + public HttpConnector getHttpConnector() { + return httpConnector; + } + + public void setHttpConnector(final HttpConnector httpConnector) { + this.httpConnector = httpConnector; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/CSVFileWriter.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/CSVFileWriter.java new file mode 100644 index 0000000..674da47 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/CSVFileWriter.java @@ -0,0 +1,57 @@ +package eu.dnetlib.data.collector.plugins.excel; + +/** + * Created by miriam on 10/05/2017. + */ +import java.io.BufferedWriter; +import java.io.FileOutputStream; +import java.io.IOException; +import java.io.OutputStreamWriter; +import java.util.ArrayList; +import org.apache.commons.csv.CSVPrinter; +import org.apache.commons.csv.CSVFormat; + +public class CSVFileWriter { + private static final String NEW_LINE_SEPARATOR = "\n"; + + private Object [] file_header ; + private ArrayList> projects = new ArrayList>(); + + public void setHeader(String[] header){ + this.file_header = header; + } + + public void addProject(ArrayList project) { + projects.add(project); + + } + + public void writeFile(String csv_file_path){ + BufferedWriter writer = null; + CSVPrinter csvFilePrinter = null; + + CSVFormat csvFileFormat = CSVFormat.DEFAULT.withRecordSeparator(NEW_LINE_SEPARATOR); + + try{ + writer = new BufferedWriter(new OutputStreamWriter(new FileOutputStream(csv_file_path),"UTF-8")); + + csvFilePrinter = new CSVPrinter(writer,csvFileFormat); + csvFilePrinter.printRecord(file_header); + + for(ArrayList project:projects){ + csvFilePrinter.printRecord(project); + } + }catch(Exception e){ + e.printStackTrace(); + }finally{ + try{ + writer.flush(); + writer.close(); + csvFilePrinter.close(); + }catch(IOException ioe){ + ioe.printStackTrace(); + } + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/Read.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/Read.java new file mode 100644 index 0000000..6f8755e --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/Read.java @@ -0,0 +1,256 @@ +package eu.dnetlib.data.collector.plugins.excel; + +/** + * Created by miriam on 10/05/2017. + */ +import java.io.File; +import java.io.FileInputStream; +import java.io.IOException; +import java.net.URL; +import java.util.ArrayList; +import java.util.HashMap; +import java.util.Iterator; + +import eu.dnetlib.data.collector.plugins.HttpCSVCollectorPlugin; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.poi.ss.usermodel.Cell; +import org.apache.poi.ss.usermodel.DataFormatter; +import org.apache.poi.ss.usermodel.Row; +import org.apache.poi.ss.usermodel.Sheet; +import org.apache.poi.ss.usermodel.Workbook; +import org.apache.poi.xssf.usermodel.XSSFWorkbook; +import org.json.*; + +import org.apache.commons.io.FileUtils; + +public class Read { + + private static final Log log = LogFactory.getLog(Read.class); + + /** The descriptor. */ + private InterfaceDescriptor descriptor; + + + /*private final String EXCEL_FILE_URL ="https://pf.fwf.ac.at/en/research-in-practice/project-finder.xlsx?&&&search%5Bcall%5D=&search%5Bdecision_board_ids%5D=&search%5Bend_date%5D=&search%5Binstitute_name%5D=&search%5Blead_firstname%5D=&search%5Blead_lastname%5D=&search%5Bper_page%5D=10&search%5Bproject_number%5D=&search%5Bproject_title%5D=&search%5Bscience_discipline_id%5D=&search%5Bstart_date%5D=&search%5Bstatus_id%5D=&search%5Bwhat%5D=&action=index&controller=projects&locale=en&per_page=10"; + private final String CSV_FILE_PATH = "//Users//miriam//Documents//svn//mirima//FWF//projects_search2017.05.09.5.csv"; + private final String argument = "{\"replace\":{\"header\":[{\"from\":\"&\",\"to\":\"and\"}],\"body\":[{\"from\":\"\\n\",\"to\":\" \"}]}," + + "\"replace_currency\":[{\"from\":\"$\",\"to\":\"€\"}]," + + "\"col_currency\":10}"; */ + private Sheet sheet; + private CSVFileWriter csv_writer = new CSVFileWriter(); + private HashMap map_header = new HashMap(); + private HashMap map_body = new HashMap(); + private int header_row; + private String file_to_save ; + private boolean replace_currency = false; + private String from_currency, to_currency; + private boolean remove_empty, remove_tmp_file; + private String remove_id; + private int column_id; + private int currency_column; + private int sheet_number; + private String tmp_file; + private String argument; + private String identifier; + + private HttpCSVCollectorPlugin collector; + + public HttpCSVCollectorPlugin getCollector() { + return collector; + } + + public void setCollector(HttpCSVCollectorPlugin collector) { + this.collector = collector; + } + + public Read(InterfaceDescriptor descriptor){ + this.descriptor = descriptor; + + } + + private static String getCellValue( Cell cell) + { + DataFormatter formatter = new DataFormatter(); + String formattedCellValue = formatter.formatCellValue(cell); + return formattedCellValue; + + } + + private void copyFile() throws IOException{ + FileUtils.copyURLToFile(new URL(descriptor.getBaseUrl()), new File(tmp_file)); + + } + + private void parseDescriptor(){ + HashMap params = descriptor.getParams(); + argument = params.get("argument"); + header_row = Integer.parseInt(params.get("header_row")); + tmp_file = params.get("tmp_file"); + remove_empty = (params.get("remove_empty_lines") == "yes"); + remove_id = params.get("remove_lines_with_id"); + column_id = Integer.parseInt(params.get("col_id")); + remove_tmp_file = (params.get("remove_tmp_file") == "yes"); + sheet_number = Integer.parseInt(params.get("sheet_number")); + file_to_save = params.get("file_to_save"); + } + private void init() throws IOException{ + parseDescriptor(); + log.info("Parsing the arguments"); + parseArguments(); + log.info("Copying the file in temp local file"); + copyFile(); + log.info("Extracting the sheet " + sheet_number); + FileInputStream fis = new FileInputStream(tmp_file); + Workbook workbook = new XSSFWorkbook(fis); + sheet = workbook.getSheetAt(sheet_number); + fis.close(); + if(remove_tmp_file) { + File f = new File(tmp_file); + f.delete(); + } + + } + + private void fillMap(JSONObject json, HashMap map, String elem){ + try{ + final JSONArray arr = json.getJSONObject("replace").getJSONArray(elem); + for(Object entry: arr) + map.put(((JSONObject)entry).getString("from"), ((JSONObject)entry).getString("to")); + }catch(Throwable e){ + log.error("Problems filling the map for " + elem); + throw(e); + } + + } + + + + private void parseArguments() { + if (StringUtils.isNotEmpty(argument)){ + try{ + final JSONObject json = new JSONObject(argument); + if(json.has("header")) + fillMap(json, map_header,"header"); + if (json.has("body")) + fillMap(json,map_body,"body"); + + if(json.has("replace_currency")) + { + replace_currency = true ; + from_currency = json.getJSONArray("replace_currency").getJSONObject(0).getString("from"); + to_currency = json.getJSONArray("replace_currency").getJSONObject(0).getString("to"); + + } + + if (json.has("col_currency")) + currency_column = json.getInt("col_currency"); + }catch(Throwable e){ + log.error("Problems while parsing the argument parameter."); + throw (e); + } + } + + + + } + + private String applyReplace(String row, HashMapreplace){ + for(String key: replace.keySet()){ + if(row.contains(key)) + row = row.replace(key, replace.get(key)); + } + return row; + } + + private void getHeader(){ + Row row = sheet.getRow(header_row); + Iterator cellIterator = row.cellIterator(); + Cell cell; + String project = ""; + int count = 0; + while (cellIterator.hasNext()){ + cell = cellIterator.next(); + final String stringCellValue = cell.getStringCellValue(); + project += applyReplace(stringCellValue,map_header) + ";"; + if(count++ == column_id) identifier = applyReplace(stringCellValue,map_header); + } + project = project.substring(0, project.length() -1 ); + csv_writer.setHeader(project.split(";")); + + } + + private void getData(){ + Row row; + Cell cell; + String tmp; + IteratorcellIterator; + for(int row_number = header_row + 1; row_number < sheet.getLastRowNum(); row_number++){ + row = sheet.getRow(row_number); + if (row != null) { + cellIterator = row.cellIterator(); + + int col_number = 0; + + boolean discard_row = false; + ArrayList al = new ArrayList(); + while (cellIterator.hasNext() && !discard_row) { + cell = cellIterator.next(); + tmp = getCellValue(cell).trim(); + tmp = tmp.replace("\n"," "); + if (col_number == column_id && + ((remove_empty && tmp.trim().equals("")) || + (!remove_id.equals("") && tmp.equals(remove_id)))) + discard_row = true; + + if (replace_currency && col_number == currency_column) + tmp = tmp.replace(from_currency, to_currency); + + al.add(applyReplace(tmp, map_body)); + col_number++; + } + if (!discard_row) { + csv_writer.addProject(al); + + } + } + } + + } + + private void writeCSVFile(){ + + csv_writer.writeFile(file_to_save); + } + + private InterfaceDescriptor prepareHTTPCSVDescriptor(){ + InterfaceDescriptor dex = new InterfaceDescriptor(); + dex.setBaseUrl("file://"+file_to_save); + HashMap params = new HashMap(); + params.put("separator", descriptor.getParams().get("separator")); + params.put("identifier",identifier); + params.put("quote",descriptor.getParams().get("quote")); + dex.setParams(params); + return dex; + } + + public Iterable parseFile() throws Exception{ + + + init(); + log.info("Getting header elements"); + getHeader(); + log.info("Getting sheet data"); + getData(); + log.info("Writing the csv file"); + writeCSVFile(); + log.info("Preparing to parse csv"); + + return collector.collect(prepareHTTPCSVDescriptor(),"",""); + + } + + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/ReadExcelPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/ReadExcelPlugin.java new file mode 100644 index 0000000..b1a242d --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/excel/ReadExcelPlugin.java @@ -0,0 +1,39 @@ +package eu.dnetlib.data.collector.plugins.excel; + + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.plugins.HttpCSVCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.springframework.beans.factory.annotation.Autowired; +import org.springframework.beans.factory.annotation.Required; + +/** + * Created by miriam on 10/05/2017. + */ +public class ReadExcelPlugin extends AbstractCollectorPlugin{ + + private static final Log log = LogFactory.getLog(ReadExcelPlugin.class); + @Autowired + HttpCSVCollectorPlugin httpCSVCollectorPlugin; + + + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + Read r = new Read(interfaceDescriptor); + r.setCollector(httpCSVCollectorPlugin); + + try { + return r.parseFile(); + }catch(Exception e){ + log.error("Error importing excel file"); + throw new CollectorServiceException(e); + } + + + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesfrommetadata/FilesFromMetadataCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesfrommetadata/FilesFromMetadataCollectorPlugin.java new file mode 100644 index 0000000..1c7f6d7 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesfrommetadata/FilesFromMetadataCollectorPlugin.java @@ -0,0 +1,27 @@ +/** + * + */ +package eu.dnetlib.data.collector.plugins.filesfrommetadata; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + + +/** + * @author sandro + * + */ +public class FilesFromMetadataCollectorPlugin extends AbstractCollectorPlugin { + + /** + * {@inheritDoc} + * @see eu.dnetlib.data.collector.plugin.CollectorPlugin#collect(eu.dnetlib.data.collector.rmi.InterfaceDescriptor, java.lang.String, java.lang.String) + */ + @Override + public Iterable collect(final InterfaceDescriptor arg0, final String arg1, final String arg2) throws CollectorServiceException { + // TODO Auto-generated method stub + return null; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesfrommetadata/PopulateFileDownloadBasePath.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesfrommetadata/PopulateFileDownloadBasePath.java new file mode 100644 index 0000000..ebc0626 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesfrommetadata/PopulateFileDownloadBasePath.java @@ -0,0 +1,61 @@ +package eu.dnetlib.data.collector.plugins.filesfrommetadata; + +import java.util.List; +import java.util.Map; + +import com.google.common.base.Function; +import com.google.common.collect.Lists; +import eu.dnetlib.data.collector.functions.ParamValuesFunction; +import eu.dnetlib.data.collector.rmi.ProtocolParameterValue; +import eu.dnetlib.enabling.is.lookup.rmi.ISLookUpException; +import eu.dnetlib.enabling.is.lookup.rmi.ISLookUpService; +import eu.dnetlib.enabling.locators.UniqueServiceLocator; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.springframework.beans.factory.annotation.Autowired; +import org.springframework.beans.factory.annotation.Value; + +/** + * Created by alessia on 17/12/15. + */ +public class PopulateFileDownloadBasePath implements ParamValuesFunction { + + private static final Log log = LogFactory.getLog(PopulateFileDownloadBasePath.class); + @Autowired + private UniqueServiceLocator serviceLocator; + + @Value("${services.objectstore.basePathList.xquery}") + private String xQueryForObjectStoreBasePath; + + @Override + public List findValues(final String s, final Map map) { + try { + return Lists.transform(serviceLocator.getService(ISLookUpService.class).quickSearchProfile(xQueryForObjectStoreBasePath), + new Function() { + @Override + public ProtocolParameterValue apply(final String s) { + return new ProtocolParameterValue(s, s); + } + }); + } catch (ISLookUpException e) { + log.error("Cannot read Object store service properties", e); + } + return Lists.newArrayList(); + } + + public UniqueServiceLocator getServiceLocator() { + return serviceLocator; + } + + public void setServiceLocator(final UniqueServiceLocator serviceLocator) { + this.serviceLocator = serviceLocator; + } + + public String getxQueryForObjectStoreBasePath() { + return xQueryForObjectStoreBasePath; + } + + public void setxQueryForObjectStoreBasePath(final String xQueryForObjectStoreBasePath) { + this.xQueryForObjectStoreBasePath = xQueryForObjectStoreBasePath; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemIterator.java new file mode 100644 index 0000000..2f395f4 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemIterator.java @@ -0,0 +1,89 @@ +package eu.dnetlib.data.collector.plugins.filesystem; + +import java.io.IOException; +import java.nio.file.Files; +import java.nio.file.Path; +import java.nio.file.Paths; +import java.util.Iterator; +import java.util.Set; + +import org.apache.commons.io.FilenameUtils; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import com.google.common.collect.Iterators; +import com.google.common.collect.Sets; + +/** + * Class enabling lazy and recursive iteration of a filesystem tree. The iterator iterates over file paths. + * + * @author Andrea + * + */ +public class FileSystemIterator implements Iterator { + + /** The logger */ + private static final Log log = LogFactory.getLog(FileSystemIterator.class); + + private Set extensions = Sets.newHashSet(); + private Iterator pathIterator; + private String current; + + public FileSystemIterator(final String baseDir, final String extensions) { + if(StringUtils.isNotBlank(extensions)) { + this.extensions = Sets.newHashSet(extensions.split(",")); + } + try { + this.pathIterator = Files.newDirectoryStream(Paths.get(baseDir)).iterator(); + this.current = walkTillNext(); + } catch (IOException e) { + log.error("Cannot initialize File System Iterator. Is this path correct? " + baseDir); + throw new RuntimeException("Filesystem collection error.", e); + } + } + + @Override + public boolean hasNext() { + return current != null; + } + + @Override + public synchronized String next() { + String pivot = new String(current); + current = walkTillNext(); + log.debug("Returning: " + pivot); + return pivot; + } + + @Override + public void remove() {} + + /** + * Walk the filesystem recursively until it finds a candidate. Strategies: a) For any directory found during the walk, an iterator is + * built and concat to the main one; b) Any file is checked against admitted extensions + * + * @return the next element to be returned by next call of this.next() + */ + private synchronized String walkTillNext() { + while (pathIterator.hasNext()) { + Path nextFilePath = pathIterator.next(); + if (Files.isDirectory(nextFilePath)) { + // concat + try { + pathIterator = Iterators.concat(pathIterator, Files.newDirectoryStream(nextFilePath).iterator()); + log.debug("Adding folder iterator: " + nextFilePath.toString()); + } catch (IOException e) { + log.error("Cannot create folder iterator! Is this path correct? " + nextFilePath.toString()); + return null; + } + } else { + if (extensions.isEmpty() || extensions.contains(FilenameUtils.getExtension(nextFilePath.toString()))) { + log.debug("Returning: " + nextFilePath.toString()); + return nextFilePath.toString(); + } + } + } + return null; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FilesystemCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FilesystemCollectorPlugin.java new file mode 100644 index 0000000..d963c97 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FilesystemCollectorPlugin.java @@ -0,0 +1,23 @@ +package eu.dnetlib.data.collector.plugins.filesystem; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * + * @author andrea + * + */ +public class FilesystemCollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + + final String baseUrl = interfaceDescriptor.getBaseUrl(); + if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + return new FilesystemIterable(interfaceDescriptor); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FilesystemIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FilesystemIterable.java new file mode 100644 index 0000000..09b30a5 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/filesystem/FilesystemIterable.java @@ -0,0 +1,139 @@ +package eu.dnetlib.data.collector.plugins.filesystem; + +import java.io.*; +import java.net.MalformedURLException; +import java.net.URL; +import java.util.Iterator; +import java.util.List; + +import com.google.common.collect.Iterators; +import com.google.common.collect.Lists; +import com.ximpleware.*; +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.io.FilenameUtils; +import org.apache.commons.io.IOUtils; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.json.JSONObject; +import org.json.XML; + +/** + * The Class FilesystemIterable. + * + * @author Sandro, Michele, Andrea + */ +public class FilesystemIterable implements Iterable { + + /** + * The Constant log. + */ + private static final Log log = LogFactory.getLog(FilesystemIterable.class); + + /** + * The base dir. + */ + private File baseDir; + + /** + * The extensions. + */ + private String extensions; + + /** + * File format (json / xml) + **/ + private String fileFormat = "xml"; + + private List supportedFormats = Lists.newArrayList("xml", "json"); + + private boolean setObjIdentifierFromFileName = false; + + /** + * Instantiates a new filesystem iterable. + * + * @param descriptor the descriptor + * @throws CollectorServiceException the collector service exception + */ + public FilesystemIterable(final InterfaceDescriptor descriptor) throws CollectorServiceException { + try { + final String baseUrl = descriptor.getBaseUrl(); + URL basePath = new URL(baseUrl); + this.baseDir = new File(basePath.getPath()); + if (!baseDir.exists()) { throw new CollectorServiceException(String.format("The base ULR %s, does not exist", basePath.getPath())); } + this.extensions = descriptor.getParams().get("extensions"); + if (descriptor.getParams().containsKey("fileFormat")) fileFormat = descriptor.getParams().get("fileFormat"); + if (!supportedFormats.contains(fileFormat)) + throw new CollectorServiceException("File format " + fileFormat + " not supported. Supported formats are: " + StringUtils + .join(supportedFormats, ',')); + if (descriptor.getParams().containsKey("setObjIdentifierFromFileName")) { + setObjIdentifierFromFileName = Boolean.parseBoolean(descriptor.getParams().get("setObjIdentifierFromFileName")); + } + } catch (MalformedURLException e) { + throw new CollectorServiceException("Filesystem collector failed! ", e); + } + } + + /** + * {@inheritDoc} + * + * @see java.lang.Iterable#iterator() + */ + @Override + public Iterator iterator() { + final FileSystemIterator fsi = new FileSystemIterator(baseDir.getAbsolutePath(), extensions); + return Iterators.transform(fsi, inputFileName -> { + FileInputStream fileInputStream = null; + try { + fileInputStream = new FileInputStream(inputFileName); + final String s = IOUtils.toString(fileInputStream); + if (fileFormat.equalsIgnoreCase("json")) { + JSONObject json = new JSONObject(s); + JSONObject obj = new JSONObject(); + if (setObjIdentifierFromFileName) { + obj.put("header", new JSONObject().put("objIdentifier", FilenameUtils.getBaseName(inputFileName))); + } + obj.put("metadata", json); + log.debug(obj.toString()); + return XML.toString(obj, "record"); + } + String cleanedXML = XmlCleaner.cleanAllEntities(s.startsWith("\uFEFF") ? s.substring(1) : s); + if (setObjIdentifierFromFileName) { + return addObjIdentifier(cleanedXML, FilenameUtils.getBaseName(inputFileName)); + } else return cleanedXML; + } catch (VTDException e) { + log.error("Cannot process with VTD to set the objIdentifier " + inputFileName); + return ""; + } catch (Exception e) { + log.error("Unable to read " + inputFileName); + return ""; + } finally { + if (fileInputStream != null) { + try { + fileInputStream.close(); + } catch (IOException e) { + log.error("Unable to close inputstream for " + inputFileName); + } + } + } + }); + } + + private String addObjIdentifier(String xml, String objidentifier) throws VTDException, IOException { + VTDGen vg = new VTDGen(); // Instantiate VTDGen + XMLModifier xm = new XMLModifier(); //Instantiate XMLModifier + vg.setDoc(xml.getBytes("UTF-8")); + vg.parse(false); + VTDNav vn = vg.getNav(); + xm.bind(vn); + if (vn.toElement(VTDNav.ROOT)) { + xm.insertBeforeElement("
" + objidentifier + "
"); + xm.insertAfterElement("
"); + } + ByteArrayOutputStream baos = new ByteArrayOutputStream(); + xm.output(baos); + return baos.toString("UTF-8"); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpCollectorPlugin.java new file mode 100644 index 0000000..2ca92c8 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpCollectorPlugin.java @@ -0,0 +1,66 @@ +package eu.dnetlib.data.collector.plugins.ftp; + +import java.util.Iterator; +import java.util.Set; + +import com.google.common.base.Splitter; +import com.google.common.collect.Sets; +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.springframework.beans.factory.annotation.Required; + +/** + * + * @author Author: Andrea Mannocci + * + */ +public class FtpCollectorPlugin extends AbstractCollectorPlugin { + + private FtpIteratorFactory ftpIteratorFactory; + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + + final String baseUrl = interfaceDescriptor.getBaseUrl(); + final String username = interfaceDescriptor.getParams().get("username"); + final String password = interfaceDescriptor.getParams().get("password"); + final String recursive = interfaceDescriptor.getParams().get("recursive"); + final String extensions = interfaceDescriptor.getParams().get("extensions"); + + if ((baseUrl == null) || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + if ((username == null) || username.isEmpty()) { throw new CollectorServiceException("Param 'username' is null or empty"); } + if ((password == null) || password.isEmpty()) { throw new CollectorServiceException("Param 'password' is null or empty"); } + if ((recursive == null) || recursive.isEmpty()) { throw new CollectorServiceException("Param 'recursive' is null or empty"); } + if ((extensions == null) || extensions.isEmpty()) { throw new CollectorServiceException("Param 'extensions' is null or empty"); } + + if (fromDate != null && !fromDate.matches("\\d{4}-\\d{2}-\\d{2}")) { throw new CollectorServiceException("Invalid date (YYYY-MM-DD): " + fromDate); } + + return new Iterable() { + + boolean isRecursive = "true".equals(recursive); + + Set extensionsSet = parseSet(extensions); + + @Override + public Iterator iterator() { + return getFtpIteratorFactory().newIterator(baseUrl, username, password, isRecursive, extensionsSet, fromDate); + } + + private Set parseSet(final String extensions) { + return Sets.newHashSet(Splitter.on(",").omitEmptyStrings().trimResults().split(extensions)); + } + }; + } + + public FtpIteratorFactory getFtpIteratorFactory() { + return ftpIteratorFactory; + } + + @Required + public void setFtpIteratorFactory(final FtpIteratorFactory ftpIteratorFactory) { + this.ftpIteratorFactory = ftpIteratorFactory; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpIterator.java new file mode 100644 index 0000000..36482f2 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpIterator.java @@ -0,0 +1,208 @@ +package eu.dnetlib.data.collector.plugins.ftp; + +import java.io.IOException; +import java.io.OutputStream; +import java.net.MalformedURLException; +import java.net.URL; +import java.util.*; + +import eu.dnetlib.data.collector.rmi.CollectorServiceRuntimeException; +import org.apache.commons.io.output.ByteArrayOutputStream; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.commons.net.ftp.FTPClient; +import org.apache.commons.net.ftp.FTPFile; +import org.apache.commons.net.ftp.FTPReply; +import org.joda.time.DateTime; +import org.joda.time.format.DateTimeFormat; +import org.joda.time.format.DateTimeFormatter; + +/** + * + * @author Author: Andrea Mannocci + * + */ +public class FtpIterator implements Iterator { + + private static final Log log = LogFactory.getLog(FtpIterator.class); + + private static final int MAX_RETRIES = 5; + private static final int DEFAULT_TIMEOUT = 30000; + private static final long BACKOFF_MILLIS = 10000; + + private FTPClient ftpClient; + private String ftpServerAddress; + private String remoteFtpBasePath; + private String username; + private String password; + private boolean isRecursive; + private Set extensionsSet; + private boolean incremental; + private DateTime fromDate = null; + private DateTimeFormatter simpleDateTimeFormatter = DateTimeFormat.forPattern("yyyy-MM-dd"); + + private Queue queue; + + public FtpIterator(final String baseUrl, final String username, final String password, final boolean isRecursive, + final Set extensionsSet, String fromDate) { + this.username = username; + this.password = password; + this.isRecursive = isRecursive; + this.extensionsSet = extensionsSet; + this.incremental = StringUtils.isNotBlank(fromDate); + if (incremental) { + //I expect fromDate in the format 'yyyy-MM-dd'. See class eu.dnetlib.msro.workflows.nodes.collect.FindDateRangeForIncrementalHarvestingJobNode . + this.fromDate = DateTime.parse(fromDate, simpleDateTimeFormatter); + log.debug("fromDate string: " + fromDate + " -- parsed: " + this.fromDate.toString()); + } + try { + URL server = new URL(baseUrl); + this.ftpServerAddress = server.getHost(); + this.remoteFtpBasePath = server.getPath(); + } catch (MalformedURLException e1) { + throw new CollectorServiceRuntimeException("Malformed URL exception " + baseUrl); + } + + connectToFtpServer(); + initializeQueue(); + } + + private void connectToFtpServer() { + ftpClient = new FTPClient(); + ftpClient.setDefaultTimeout(DEFAULT_TIMEOUT); + ftpClient.setDataTimeout(DEFAULT_TIMEOUT); + ftpClient.setConnectTimeout(DEFAULT_TIMEOUT); + try { + ftpClient.connect(ftpServerAddress); + + // try to login + if (!ftpClient.login(username, password)) { + ftpClient.logout(); + throw new CollectorServiceRuntimeException("Unable to login to FTP server " + ftpServerAddress); + } + int reply = ftpClient.getReplyCode(); + if (!FTPReply.isPositiveCompletion(reply)) { + ftpClient.disconnect(); + throw new CollectorServiceRuntimeException("Unable to connect to FTP server " + ftpServerAddress); + } + + ftpClient.enterLocalPassiveMode(); + log.info("Connected to FTP server " + ftpServerAddress); + log.info(String.format("FTP collecting from %s with recursion = %s", remoteFtpBasePath, isRecursive)); + } catch (IOException e) { + throw new CollectorServiceRuntimeException("Unable to connect to FTP server " + ftpServerAddress); + } + } + + private void disconnectFromFtpServer() { + try { + if (ftpClient.isConnected()) { + ftpClient.logout(); + ftpClient.disconnect(); + } + } catch (IOException e) { + log.error("Failed to logout & disconnect from the FTP server", e); + } + } + + private void initializeQueue() { + queue = new LinkedList(); + listDirectoryRecursive(remoteFtpBasePath, ""); + } + + private void listDirectoryRecursive(final String parentDir, final String currentDir) { + String dirToList = parentDir; + if (!currentDir.equals("")) { + dirToList += "/" + currentDir; + } + FTPFile[] subFiles; + try { + subFiles = ftpClient.listFiles(dirToList); + if ((subFiles != null) && (subFiles.length > 0)) { + for (FTPFile aFile : subFiles) { + String currentFileName = aFile.getName(); + + if (currentFileName.equals(".") || currentFileName.equals("..")) { + // skip parent directory and directory itself + continue; + } + if (aFile.isDirectory()) { + if (isRecursive) { + listDirectoryRecursive(dirToList, currentFileName); + } + } else { + // test the file for extensions compliance and, just in case, add it to the list. + for (String ext : extensionsSet) { + if (currentFileName.endsWith(ext)) { + //incremental mode: let's check the last update date + if(incremental){ + Calendar timestamp = aFile.getTimestamp(); + DateTime lastModificationDate = new DateTime(timestamp); + if(lastModificationDate.isAfter(fromDate)){ + queue.add(dirToList + "/" + currentFileName); + log.debug(currentFileName + " has changed and must be re-collected"); + } else { + if (log.isDebugEnabled()) { + log.debug(currentFileName + " has not changed since last collection"); + } + } + } + else { + //not incremental: just add it to the queue + queue.add(dirToList + "/" + currentFileName); + } + } + } + } + } + } + } catch (IOException e) { + throw new CollectorServiceRuntimeException("Unable to list FTP remote folder", e); + } + } + + @Override + public boolean hasNext() { + if (queue.isEmpty()) { + disconnectFromFtpServer(); + return false; + } else { + return true; + } + } + + @Override + public String next() { + String nextRemotePath = queue.remove(); + int nRepeat = 0; + while (nRepeat < MAX_RETRIES) { + try { + OutputStream baos = new ByteArrayOutputStream(); + if (!ftpClient.isConnected()) { + connectToFtpServer(); + } + ftpClient.retrieveFile(nextRemotePath, baos); + + log.debug(String.format("Collected file from FTP: %s%s", ftpServerAddress, nextRemotePath)); + return baos.toString(); + } catch (IOException e) { + nRepeat++; + log.warn(String.format("An error occurred [%s] for %s%s, retrying.. [retried %s time(s)]", e.getMessage(), ftpServerAddress, nextRemotePath, + nRepeat)); + disconnectFromFtpServer(); + try { + Thread.sleep(BACKOFF_MILLIS); + } catch (InterruptedException e1) { + log.error(e1); + } + } + } + throw new CollectorServiceRuntimeException(String.format("Impossible to retrieve FTP file %s after %s retries. Aborting FTP collection.", nextRemotePath, nRepeat)); + } + + @Override + public void remove() { + throw new UnsupportedOperationException(); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorFactory.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorFactory.java new file mode 100644 index 0000000..ffefde5 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorFactory.java @@ -0,0 +1,20 @@ +package eu.dnetlib.data.collector.plugins.ftp; + +import java.util.Iterator; +import java.util.Set; + +/** + * + * @author Author: Andrea Mannocci + * + */ +public class FtpIteratorFactory { + + public Iterator newIterator(final String baseUrl, + final String username, + final String password, + final boolean isRecursive, + final Set extensionsSet, final String fromDate) { + return new FtpIterator(baseUrl, username, password, isRecursive, extensionsSet, fromDate); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/Connector.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/Connector.java new file mode 100644 index 0000000..9e158f9 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/Connector.java @@ -0,0 +1,37 @@ +package eu.dnetlib.data.collector.plugins.httpfilename; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + + +/** + * Created by miriam on 07/05/2018. + */ +public class Connector extends HttpConnector implements ConnectorInterface { + private String response; + + @Override + public void get(final String requestUrl) throws CollectorServiceException { + response = getInputSource(requestUrl); + } + + @Override + public String getResponse() { + return response; + } + + @Override + public boolean isStatusOk() { + return (response != null); + } + + @Override + public boolean responseTypeContains(String string) { + String responseType = getResponseType(); + if (responseType != null) + return responseType.contains(string); + return false; + } + + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/ConnectorInterface.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/ConnectorInterface.java new file mode 100644 index 0000000..bc9a56a --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/ConnectorInterface.java @@ -0,0 +1,19 @@ +package eu.dnetlib.data.collector.plugins.httpfilename; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +/** + * Created by miriam on 07/05/2018. + */ +public interface ConnectorInterface { + + void get(final String requestUrl) throws CollectorServiceException; + + String getResponse(); + + boolean isStatusOk(); + + + boolean responseTypeContains(String string); + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameCollectorIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameCollectorIterable.java new file mode 100644 index 0000000..afaddca --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameCollectorIterable.java @@ -0,0 +1,190 @@ +package eu.dnetlib.data.collector.plugins.httpfilename; + +import java.util.*; +import java.util.concurrent.ArrayBlockingQueue; +import java.util.concurrent.TimeUnit; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.json.JSONObject; +import org.json.XML; +import org.jsoup.Jsoup; +import org.jsoup.nodes.Document; +import org.jsoup.nodes.Element; +import org.jsoup.select.Elements; + +/** + * Created by miriam on 04/05/2018. + */ +public class HTTPWithFileNameCollectorIterable implements Iterable { + + private static final Log log = LogFactory.getLog(HTTPWithFileNameCollectorIterable.class); + + private static final String JUNK = "%sJUNK"; + public static final String APP_JSON = "application/json"; + public static final String APP_XML = "application/xml"; + public static final String TEXT_HTML = "text/html"; + private final ArrayBlockingQueue queue = new ArrayBlockingQueue(100); + + + + + private String filterParam; + + int total = 0; + int filtered = 0; + + public HTTPWithFileNameCollectorIterable(String startUrl, String filter){ + + this.filterParam = filter; + Thread ft = new Thread(new FillMetaQueue(startUrl) ); + ft.start(); + } + + + @Override + public Iterator iterator() { + return new HttpWithFileNameCollectorIterator(queue); + } + + private class FillMetaQueue implements Runnable { + final Connector c = new Connector(); + + private final List metas = Collections.synchronizedList(new ArrayList()); + private final List urls = Collections.synchronizedList(new ArrayList<>()); + + public FillMetaQueue(String startUrl){ + if(!startUrl.isEmpty()){ + urls.add(startUrl); + } + } + + + public void fillQueue() { + String url; + + while((metas.size()>0 || urls.size() > 0 )) { + log.debug("metas.size() = " + metas.size() + " urls.size() = " + urls.size() + " queue.size() = " +queue.size()); + if (metas.size() > 0) { + url = metas.remove(0); + try { + c.get(url); + } catch (CollectorServiceException e) { + log.info("Impossible to collect url: " + url + " error: " + e.getMessage()); + } + if(c.isStatusOk()){ + try { + String ret = c.getResponse(); + if (ret != null && ret.length()>0) { + if (!containsFilter(ret)) + queue.put(addFilePath(ret, url, url.endsWith(".json"))); + //queue.offer(addFilePath(ret, url, url.endsWith(".json")), HttpWithFileNameCollectorIterator.waitTime, TimeUnit.SECONDS); + else + filtered++; + total++; + } + } catch (InterruptedException e) { + log.info("not inserted in queue element associate to url " + url + " error: " + e.getMessage() ); + + } + } + } else { + url = urls.remove(0); + try { + c.get(url); + } catch (CollectorServiceException e) { + log.info("Impossible to collect url: " + url + " error: " + e.getMessage()); + } + if(c.isStatusOk()) { + if (c.responseTypeContains(TEXT_HTML)){ + recurFolder(c.getResponse(), url); + } else if(c.responseTypeContains(APP_JSON) || c.responseTypeContains(APP_XML)){ + try { + final String element = addFilePath(c.getResponse(), url, c.responseTypeContains(APP_JSON)); + //queue.offer(element, HttpWithFileNameCollectorIterator.waitTime, TimeUnit.SECONDS); + queue.put(element); + } catch (InterruptedException e) { + log.info("not inserted in queue element associate to url " + url + " error: " + e.getMessage() ); + } + } + } + } + + } + try { + //queue.offer(HttpWithFileNameCollectorIterator.TERMINATOR, HttpWithFileNameCollectorIterator.waitTime, TimeUnit.SECONDS); + queue.put(HttpWithFileNameCollectorIterator.TERMINATOR); + } catch (InterruptedException e) { + throw new IllegalStateException(String.format("could not add element to queue for more than %s%s", HttpWithFileNameCollectorIterator.waitTime, TimeUnit.SECONDS), e); + } + + } + + private boolean containsFilter(String meta){ + if (filterParam == null || filterParam.isEmpty()) + return false; + String[] filter = filterParam.split(";"); + for(String item:filter){ + if (meta.contains(item)) + return true; + } + return false; + } + + private String addFilePath(String meta, String url, boolean isJson){ + String path = url.replace("metadata", "pdf"); + + try { + if(isJson) + meta = meta.substring(0, meta.length() - 1) + ",'downloadFileUrl':'" + path.substring(0, path.indexOf(".json")) + ".pdf'}"; + else { + + if (meta.contains("") + 1); + } + int index = meta.lastIndexOf("" + path.substring(0, path.indexOf(".xml")) + ".pdf" + meta.substring(index); + } + } catch(Exception ex) { + log.info("not file with extension .json or .xml"); + } + + + if(isJson) { + try { + return XML.toString(new JSONObject("{'resource':" + meta + "}")); + } catch(Exception e) { + log.fatal("Impossible to transform json object to xml \n" + meta + "\n " + e.getMessage() + "\n" + url); + // throw new RuntimeException(); + final String junk = String.format(JUNK, url); + log.warn("returning " + junk); + return junk; + } + } + return meta; + } + + private void recurFolder(String text, String url){ + Document doc = Jsoup.parse(text); + Elements links = doc.select("a"); + for(Element e:links){ + if (!e.text().equals("../")){ + String file = e.attr("href"); + if(file.endsWith(".json") || file.endsWith(".xml")) + metas.add(url+file); + else + urls.add(url+file); + } + } + } + + + @Override + public void run() { + fillQueue(); + } + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameCollectorPlugin.java new file mode 100644 index 0000000..4a6a50a --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameCollectorPlugin.java @@ -0,0 +1,16 @@ +package eu.dnetlib.data.collector.plugins.httpfilename; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Created by miriam on 04/05/2018. + */ +public class HTTPWithFileNameCollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(InterfaceDescriptor interfaceDescriptor, String s, String s1) throws CollectorServiceException { + return new HTTPWithFileNameCollectorIterable(interfaceDescriptor.getBaseUrl(), interfaceDescriptor.getParams().get("filter")); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HttpWithFileNameCollectorIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HttpWithFileNameCollectorIterator.java new file mode 100644 index 0000000..62fe1e2 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httpfilename/HttpWithFileNameCollectorIterator.java @@ -0,0 +1,63 @@ +package eu.dnetlib.data.collector.plugins.httpfilename; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.util.Iterator; +import java.util.NoSuchElementException; +import java.util.Objects; +import java.util.concurrent.ArrayBlockingQueue; +import java.util.concurrent.TimeUnit; + +/** + * Created by miriam on 25/06/2018. + */ +public class HttpWithFileNameCollectorIterator implements Iterator { + public static final String TERMINATOR = "FINITO"; + private static final Log log = LogFactory.getLog(HttpWithFileNameCollectorIterator.class); + + private final ArrayBlockingQueue queue; + + public static final long waitTime = 60L; + + private String last = "JUNK"; + + public HttpWithFileNameCollectorIterator(ArrayBlockingQueue queue) { + this.queue = queue; + extractFromQueue(); + } + + @Override + public boolean hasNext() { + + + //return !(Objects.equals(last, TERMINATOR) || Objects.equals(last,null)); + return !(Objects.equals(last, TERMINATOR)); + } + + @Override + public String next() { + try{ + + return last; + + }finally{ + extractFromQueue(); + } + + } + + private void extractFromQueue() { + + + try { + last = queue.take(); + //last = queue.poll(waitTime, TimeUnit.SECONDS); + }catch(InterruptedException e){ + log.warn("Interrupted while waiting for element to consume"); + throw new NoSuchElementException(e.getMessage()); + } + } + + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httplist/HttpListCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httplist/HttpListCollectorPlugin.java new file mode 100644 index 0000000..3e2750d --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httplist/HttpListCollectorPlugin.java @@ -0,0 +1,21 @@ +package eu.dnetlib.data.collector.plugins.httplist; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.springframework.beans.factory.annotation.Autowired; + +public class HttpListCollectorPlugin extends AbstractCollectorPlugin { + + @Autowired + private HttpConnector httpConnector; + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + final String baseUrl = interfaceDescriptor.getBaseUrl(); + final String listAddress = interfaceDescriptor.getParams().get("listUrl"); + + return () -> new HttpListIterator(baseUrl, listAddress, httpConnector); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIterator.java new file mode 100644 index 0000000..4c33f79 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIterator.java @@ -0,0 +1,64 @@ +package eu.dnetlib.data.collector.plugins.httplist; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.lang3.StringUtils; + +import java.io.BufferedReader; +import java.io.IOException; +import java.io.StringReader; +import java.util.Iterator; + +public class HttpListIterator implements Iterator { + + private HttpConnector httpConnector; + + private String baseUrl; + private String currentLine; + private BufferedReader reader; + + public HttpListIterator(final String baseUrl, final String listAddress, final HttpConnector httpConnector) { + try { + this.baseUrl = baseUrl; + this.reader = new BufferedReader(new StringReader(download(listAddress))); + this.httpConnector = httpConnector; + this.currentLine = reader.readLine(); + } catch (Exception e) { + throw new RuntimeException("Error creating iterator", e); + } + } + + @Override + public synchronized boolean hasNext() { + return StringUtils.isNotBlank(currentLine); + } + + @Override + public synchronized String next() { + try { + if (StringUtils.isNotBlank(currentLine)) { + return download(baseUrl + currentLine); + } else { + throw new RuntimeException("Iterator has reached the end"); + } + } finally { + try { + this.currentLine = reader.readLine(); + } catch (IOException e) { + throw new RuntimeException("Error obtaining next element " + currentLine, e); + } + } + } + + private String download(final String url) { + try { + return httpConnector.getInputSource(url); + } catch (CollectorServiceException e) { + throw new RuntimeException(e); + } + } + + @Override + public void remove() {} + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterable.java new file mode 100644 index 0000000..65634d0 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterable.java @@ -0,0 +1,43 @@ +package eu.dnetlib.data.collector.plugins.mongo; + +import java.io.File; +import java.io.FileNotFoundException; +import java.io.FileReader; +import java.util.Iterator; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.information.collectionservice.rmi.CollectionServiceException; + +/** + * The Class MongoDumpIterable. + */ +public class MongoDumpIterable implements Iterable { + + /** The input stream. */ + private final FileReader inputStream; + + /** + * Instantiates a new mongo dump iterable. + * + * @param inputFile the input file + * @throws CollectionServiceException the collection service exception + */ + public MongoDumpIterable(final File inputFile) throws CollectorServiceException { + try { + this.inputStream = new FileReader(inputFile); + } catch (FileNotFoundException e) { + throw new CollectorServiceException("Error unable to open inputStream", e); + } + } + + /* + * (non-Javadoc) + * + * @see java.lang.Iterable#iterator() + */ + @Override + public Iterator iterator() { + return new MongoDumpIterator(inputStream); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterator.java new file mode 100644 index 0000000..752471c --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterator.java @@ -0,0 +1,56 @@ +package eu.dnetlib.data.collector.plugins.mongo; + +import java.io.BufferedReader; +import java.io.FileReader; +import java.io.IOException; +import java.util.Iterator; + +import com.google.gson.JsonElement; +import com.google.gson.JsonObject; +import com.google.gson.JsonParser; + +public class MongoDumpIterator implements Iterator { + + private final BufferedReader inputStream; + private String currentLine = null; + + public MongoDumpIterator(final FileReader inputStream) { + this.inputStream = new BufferedReader(inputStream); + this.currentLine = getNextLine(); + } + + @Override + public boolean hasNext() { + return currentLine != null; + + } + + @Override + public String next() { + final String returnedString = this.currentLine; + this.currentLine = getNextLine(); + return returnedString; + } + + @Override + public void remove() { + // TODO Auto-generated method stub + + } + + private String getNextLine() { + try { + String input = inputStream.readLine(); + while (input != null) { + JsonElement jElement = new JsonParser().parse(input); + JsonObject jobject = jElement.getAsJsonObject(); + if (jobject.has("body")) { return jobject.get("body").getAsString(); } + input = inputStream.readLine(); + } + return null; + + } catch (IOException e) { + return null; + } + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpPlugin.java new file mode 100644 index 0000000..240b0e5 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpPlugin.java @@ -0,0 +1,23 @@ +package eu.dnetlib.data.collector.plugins.mongo; + +import java.io.File; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +public class MongoDumpPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + final String baseUrl = interfaceDescriptor.getBaseUrl(); + if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + final File f = new File(baseUrl); + if (f.exists() == false) { throw new CollectorServiceException("the file at url " + baseUrl + " does not exists"); } + + return new MongoDumpIterable(f); + + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPlugin.java new file mode 100644 index 0000000..04a6aff --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPlugin.java @@ -0,0 +1,58 @@ +package eu.dnetlib.data.collector.plugins.oai; + +import java.util.List; + +import com.google.common.base.Splitter; +import com.google.common.collect.Iterators; +import com.google.common.collect.Lists; +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.springframework.beans.factory.annotation.Required; + +public class OaiCollectorPlugin extends AbstractCollectorPlugin { + + private static final String FORMAT_PARAM = "format"; + private static final String OAI_SET_PARAM = "set"; + + private OaiIteratorFactory oaiIteratorFactory; + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + final String baseUrl = interfaceDescriptor.getBaseUrl(); + final String mdFormat = interfaceDescriptor.getParams().get(FORMAT_PARAM); + final String setParam = interfaceDescriptor.getParams().get(OAI_SET_PARAM); + final List sets = Lists.newArrayList(); + if (setParam != null) { + sets.addAll(Lists.newArrayList(Splitter.on(",").omitEmptyStrings().trimResults().split(setParam))); + } + if (sets.isEmpty()) { + // If no set is defined, ALL the sets must be harvested + sets.add(""); + } + + if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + + if (mdFormat == null || mdFormat.isEmpty()) { throw new CollectorServiceException("Param 'mdFormat' is null or empty"); } + + if (fromDate != null && !fromDate.matches("\\d{4}-\\d{2}-\\d{2}")) { throw new CollectorServiceException("Invalid date (YYYY-MM-DD): " + fromDate); } + + if (untilDate != null && !untilDate.matches("\\d{4}-\\d{2}-\\d{2}")) { throw new CollectorServiceException("Invalid date (YYYY-MM-DD): " + untilDate); } + + return () -> Iterators.concat( + sets.stream() + .map(set -> oaiIteratorFactory.newIterator(baseUrl, mdFormat, set, fromDate, untilDate)) + .iterator()); + } + + public OaiIteratorFactory getOaiIteratorFactory() { + return oaiIteratorFactory; + } + + @Required + public void setOaiIteratorFactory(final OaiIteratorFactory oaiIteratorFactory) { + this.oaiIteratorFactory = oaiIteratorFactory; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/OaiIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/OaiIterator.java new file mode 100644 index 0000000..ff6fc32 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/OaiIterator.java @@ -0,0 +1,168 @@ +package eu.dnetlib.data.collector.plugins.oai; + +import java.io.StringReader; +import java.io.UnsupportedEncodingException; +import java.net.URLEncoder; +import java.util.Iterator; +import java.util.Queue; +import java.util.concurrent.PriorityBlockingQueue; + +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.dom4j.Document; +import org.dom4j.DocumentException; +import org.dom4j.Node; +import org.dom4j.io.SAXReader; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; + +public class OaiIterator implements Iterator { + + private static final Log log = LogFactory.getLog(OaiIterator.class); // NOPMD by marko on 11/24/08 5:02 PM + + private Queue queue = new PriorityBlockingQueue(); + private SAXReader reader = new SAXReader(); + + private String baseUrl; + private String set; + private String mdFormat; + private String fromDate; + private String untilDate; + private String token; + private boolean started; + private HttpConnector httpConnector; + + public OaiIterator(final String baseUrl, final String mdFormat, final String set, final String fromDate, final String untilDate, final HttpConnector httpConnector) { + this.baseUrl = baseUrl; + this.mdFormat = mdFormat; + this.set = set; + this.fromDate = fromDate; + this.untilDate = untilDate; + this.started = false; + this.httpConnector = httpConnector; + } + + private void verifyStarted() { + if (!this.started) { + this.started = true; + try { + this.token = firstPage(); + } catch (CollectorServiceException e) { + throw new RuntimeException(e); + } + } + } + + @Override + public boolean hasNext() { + synchronized (queue) { + verifyStarted(); + return !queue.isEmpty(); + } + } + + @Override + public String next() { + synchronized (queue) { + verifyStarted(); + final String res = queue.poll(); + while (queue.isEmpty() && (token != null) && !token.isEmpty()) { + try { + token = otherPages(token); + } catch (CollectorServiceException e) { + throw new RuntimeException(e); + } + } + return res; + } + } + + @Override + public void remove() {} + + private String firstPage() throws CollectorServiceException { + try { + String url = baseUrl + "?verb=ListRecords&metadataPrefix=" + URLEncoder.encode(mdFormat,"UTF-8"); + if ((set != null) && !set.isEmpty()) { + url += "&set=" + URLEncoder.encode(set,"UTF-8"); + } + if ((fromDate != null) && fromDate.matches("\\d{4}-\\d{2}-\\d{2}")) { + url += "&from=" + URLEncoder.encode(fromDate,"UTF-8"); + } + if ((untilDate != null) && untilDate.matches("\\d{4}-\\d{2}-\\d{2}")) { + url += "&until=" + URLEncoder.encode(untilDate,"UTF-8"); + } + log.info("Start harvesting using url: " + url); + + return downloadPage(url); + } catch(UnsupportedEncodingException e) { + throw new CollectorServiceException(e); + } + } + + private String extractResumptionToken(final String xml) { + + final String s = StringUtils.substringAfter(xml, "", " newIterator(final String baseUrl, final String mdFormat, final String set, final String fromDate, final String untilDate) { + return new OaiIterator(baseUrl, mdFormat, set, fromDate, untilDate, httpConnector); + } + + public HttpConnector getHttpConnector() { + return httpConnector; + } + + @Required + public void setHttpConnector(HttpConnector httpConnector) { + this.httpConnector = httpConnector; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/engine/XmlCleaner.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/engine/XmlCleaner.java new file mode 100644 index 0000000..a6bdaa6 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oai/engine/XmlCleaner.java @@ -0,0 +1,268 @@ +package eu.dnetlib.data.collector.plugins.oai.engine; + +import java.util.HashMap; +import java.util.HashSet; +import java.util.Map; +import java.util.Set; +import java.util.regex.Pattern; + +/** + * @author jochen, Andreas Czerniak + * + */ +public class XmlCleaner { + /** + * Pattern for numeric entities. + */ + private static Pattern validCharacterEntityPattern = Pattern.compile("^&#x?\\d{2,4};"); //$NON-NLS-1$ + // private static Pattern validCharacterEntityPattern = Pattern.compile("^&#?\\d{2,4};"); //$NON-NLS-1$ + + // see https://www.w3.org/TR/REC-xml/#charsets , not only limited to + private static Pattern invalidControlCharPattern = Pattern.compile("&#x?1[0-9a-fA-F];"); + + /** + * Pattern that negates the allowable XML 4 byte unicode characters. Valid + * are: #x9 | #xA | #xD | [#x20-#xD7FF] | [#xE000-#xFFFD] | + * [#x10000-#x10FFFF] + */ + private static Pattern invalidCharacterPattern = Pattern.compile("[^\t\r\n\u0020-\uD7FF\uE000-\uFFFD]"); //$NON-NLS-1$ + + // Map entities to their unicode equivalent + private static Set goodEntities = new HashSet(); + private static Map badEntities = new HashMap(); + + static { + // pre-defined XML entities + goodEntities.add("""); //$NON-NLS-1$ // quotation mark + goodEntities.add("&"); //$NON-NLS-1$ // ampersand + goodEntities.add("<"); //$NON-NLS-1$ // less-than sign + goodEntities.add(">"); //$NON-NLS-1$ // greater-than sign + // control entities + //badEntities.put(" ", ""); + badEntities.put("", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("€", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("‚", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("ƒ", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("„", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("…", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("†", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("‡", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("ˆ", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("‰", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("Š", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("‹", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("Œ", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("Ž", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("‘", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("’", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("“", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("”", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("•", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("–", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("—", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("˜", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("™", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("š", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("›", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("œ", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("ž", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + badEntities.put("Ÿ", " "); //$NON-NLS-1$ //$NON-NLS-2$ // illegal HTML character + // misc entities + badEntities.put("€", "\u20AC"); //$NON-NLS-1$ //$NON-NLS-2$ // euro + badEntities.put("‘", "\u2018"); //$NON-NLS-1$ //$NON-NLS-2$ // left single quotation mark + badEntities.put("’", "\u2019"); //$NON-NLS-1$ //$NON-NLS-2$ // right single quotation mark + // Latin 1 entities + badEntities.put(" ", "\u00A0"); //$NON-NLS-1$ //$NON-NLS-2$ // no-break space + badEntities.put("¡", "\u00A1"); //$NON-NLS-1$ //$NON-NLS-2$ // inverted exclamation mark + badEntities.put("¢", "\u00A2"); //$NON-NLS-1$ //$NON-NLS-2$ // cent sign + badEntities.put("£", "\u00A3"); //$NON-NLS-1$ //$NON-NLS-2$ // pound sign + badEntities.put("¤", "\u00A4"); //$NON-NLS-1$ //$NON-NLS-2$ // currency sign + badEntities.put("¥", "\u00A5"); //$NON-NLS-1$ //$NON-NLS-2$ // yen sign + badEntities.put("¦", "\u00A6"); //$NON-NLS-1$ //$NON-NLS-2$ // broken vertical bar + badEntities.put("§", "\u00A7"); //$NON-NLS-1$ //$NON-NLS-2$ // section sign + badEntities.put("¨", "\u00A8"); //$NON-NLS-1$ //$NON-NLS-2$ // diaeresis + badEntities.put("©", "\u00A9"); //$NON-NLS-1$ //$NON-NLS-2$ // copyright sign + badEntities.put("ª", "\u00AA"); //$NON-NLS-1$ //$NON-NLS-2$ // feminine ordinal indicator + badEntities.put("«", "\u00AB"); //$NON-NLS-1$ //$NON-NLS-2$ // left-pointing double angle quotation mark + badEntities.put("¬", "\u00AC"); //$NON-NLS-1$ //$NON-NLS-2$ // not sign + badEntities.put("­", "\u00AD"); //$NON-NLS-1$ //$NON-NLS-2$ // soft hyphen + badEntities.put("®", "\u00AE"); //$NON-NLS-1$ //$NON-NLS-2$ // registered sign + badEntities.put("¯", "\u00AF"); //$NON-NLS-1$ //$NON-NLS-2$ // macron + badEntities.put("°", "\u00B0"); //$NON-NLS-1$ //$NON-NLS-2$ // degree sign + badEntities.put("±", "\u00B1"); //$NON-NLS-1$ //$NON-NLS-2$ // plus-minus sign + badEntities.put("²", "\u00B2"); //$NON-NLS-1$ //$NON-NLS-2$ // superscript two + badEntities.put("³", "\u00B3"); //$NON-NLS-1$ //$NON-NLS-2$ // superscript three + badEntities.put("´", "\u00B4"); //$NON-NLS-1$ //$NON-NLS-2$ // acute accent + badEntities.put("µ", "\u00B5"); //$NON-NLS-1$ //$NON-NLS-2$ // micro sign + badEntities.put("¶", "\u00B6"); //$NON-NLS-1$ //$NON-NLS-2$ // pilcrow sign + badEntities.put("·", "\u00B7"); //$NON-NLS-1$ //$NON-NLS-2$ // middle dot + badEntities.put("¸", "\u00B8"); //$NON-NLS-1$ //$NON-NLS-2$ // cedilla + badEntities.put("¹", "\u00B9"); //$NON-NLS-1$ //$NON-NLS-2$ // superscript one + badEntities.put("º", "\u00BA"); //$NON-NLS-1$ //$NON-NLS-2$ // masculine ordinal indicator + badEntities.put("»", "\u00BB"); //$NON-NLS-1$ //$NON-NLS-2$ // right-pointing double angle quotation mark + badEntities.put("¼", "\u00BC"); //$NON-NLS-1$ //$NON-NLS-2$ // vulgar fraction one quarter + badEntities.put("½", "\u00BD"); //$NON-NLS-1$ //$NON-NLS-2$ // vulgar fraction one half + badEntities.put("¾", "\u00BE"); //$NON-NLS-1$ //$NON-NLS-2$ // vulgar fraction three quarters + badEntities.put("¿", "\u00BF"); //$NON-NLS-1$ //$NON-NLS-2$ // inverted question mark + badEntities.put("À", "\u00C0"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter A with grave + badEntities.put("Á", "\u00C1"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter A with acute + badEntities.put("Â", "\u00C2"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter A with circumflex + badEntities.put("Ã", "\u00C3"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter A with tilde + badEntities.put("Ä", "\u00C4"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter A with diaeresis + badEntities.put("Å", "\u00C5"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter A with ring above + badEntities.put("Æ", "\u00C6"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter AE + badEntities.put("Ç", "\u00C7"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter C with cedilla + badEntities.put("È", "\u00C8"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter E with grave + badEntities.put("É", "\u00C9"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter E with acute + badEntities.put("Ê", "\u00CA"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter E with circumflex + badEntities.put("Ë", "\u00CB"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter E with diaeresis + badEntities.put("Ì", "\u00CC"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter I with grave + badEntities.put("Í", "\u00CD"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter I with acute + badEntities.put("Î", "\u00CE"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter I with circumflex + badEntities.put("Ï", "\u00CF"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter I with diaeresis + badEntities.put("Ð", "\u00D0"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter ETH + badEntities.put("Ñ", "\u00D1"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter N with tilde + badEntities.put("Ò", "\u00D2"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter O with grave + badEntities.put("Ó", "\u00D3"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter O with acute + badEntities.put("Ô", "\u00D4"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter O with circumflex + badEntities.put("Õ", "\u00D5"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter O with tilde + badEntities.put("Ö", "\u00D6"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter O with diaeresis + badEntities.put("×", "\u00D7"); //$NON-NLS-1$ //$NON-NLS-2$ // multiplication sign + badEntities.put("Ø", "\u00D8"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter O with stroke + badEntities.put("Ù", "\u00D9"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter U with grave + badEntities.put("Ú", "\u00DA"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter U with acute + badEntities.put("Û", "\u00DB"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter U with circumflex + badEntities.put("Ü", "\u00DC"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter U with diaeresis + badEntities.put("Ý", "\u00DD"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter Y with acute + badEntities.put("Þ", "\u00DE"); //$NON-NLS-1$ //$NON-NLS-2$ // latin capital letter THORN + badEntities.put("ß", "\u00DF"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter sharp s + badEntities.put("à", "\u00E0"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter a with grave + badEntities.put("á", "\u00E1"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter a with acute + badEntities.put("â", "\u00E2"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter a with circumflex + badEntities.put("ã", "\u00E3"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter a with tilde + badEntities.put("ä", "\u00E4"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter a with diaeresis + badEntities.put("å", "\u00E5"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter a with ring above + badEntities.put("æ", "\u00E6"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter ae + badEntities.put("ç", "\u00E7"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter c with cedilla + badEntities.put("è", "\u00E8"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter e with grave + badEntities.put("é", "\u00E9"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter e with acute + badEntities.put("ê", "\u00EA"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter e with circumflex + badEntities.put("ë", "\u00EB"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter e with diaeresis + badEntities.put("ì", "\u00EC"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter i with grave + badEntities.put("í", "\u00ED"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter i with acute + badEntities.put("î", "\u00EE"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter i with circumflex + badEntities.put("ï", "\u00EF"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter i with diaeresis + badEntities.put("ð", "\u00F0"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter eth + badEntities.put("ñ", "\u00F1"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter n with tilde + badEntities.put("ò", "\u00F2"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter o with grave + badEntities.put("ó", "\u00F3"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter o with acute + badEntities.put("ô", "\u00F4"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter o with circumflex + badEntities.put("õ", "\u00F5"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter o with tilde + badEntities.put("ö", "\u00F6"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter o with diaeresis + badEntities.put("÷", "\u00F7"); //$NON-NLS-1$ //$NON-NLS-2$ // division sign + badEntities.put("ø", "\u00F8"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter o with stroke + badEntities.put("ù", "\u00F9"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter u with grave + badEntities.put("ú", "\u00FA"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter u with acute + badEntities.put("û", "\u00FB"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter u with circumflex + badEntities.put("ü", "\u00FC"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter u with diaeresis + badEntities.put("ý", "\u00FD"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter y with acute + badEntities.put("þ", "\u00FE"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter thorn + badEntities.put("ÿ", "\u00FF"); //$NON-NLS-1$ //$NON-NLS-2$ // latin small letter y with diaeresis + } + /** + * For each entity in the input that is not allowed in XML, replace the + * entity with its unicode equivalent or remove it. For each instance of a + * bare {@literal &}, replace it with {@literal &
} + * XML only allows 4 entities: {@literal &amp;}, {@literal &quot;}, {@literal &lt;} and {@literal &gt;}. + * + * @param broken + * the string to handle entities + * @return the string with entities appropriately fixed up + */ + static public String cleanAllEntities(final String broken) { + if (broken == null) { + return null; + } + + String working = invalidControlCharPattern.matcher(broken).replaceAll(""); + working = invalidCharacterPattern.matcher(working).replaceAll(""); + + int cleanfrom = 0; + + while (true) { + int amp = working.indexOf('&', cleanfrom); + // If there are no more amps then we are done + if (amp == -1) { + break; + } + // Skip references of the kind &#ddd; + if (validCharacterEntityPattern.matcher(working.substring(amp)).find()) { + cleanfrom = working.indexOf(';', amp) + 1; + continue; + } + int i = amp + 1; + while (true) { + // if we are at the end of the string then just escape the '&'; + if (i >= working.length()) { + return working.substring(0, amp) + "&" + working.substring(amp + 1); //$NON-NLS-1$ + } + // if we have come to a ; then we have an entity + // If it is something that xml can't handle then replace it. + char c = working.charAt(i); + if (c == ';') { + final String entity = working.substring(amp, i + 1); + final String replace = handleEntity(entity); + working = working.substring(0, amp) + replace + working.substring(i + 1); + break; + } + // Did we end an entity without finding a closing ; + // Then treat it as an '&' that needs to be replaced with & + if (!Character.isLetterOrDigit(c)) { + working = working.substring(0, amp) + "&" + working.substring(amp + 1); //$NON-NLS-1$ + amp = i + 4; // account for the 4 extra characters + break; + } + i++; + } + cleanfrom = amp + 1; + } + + if (Pattern.compile("<<").matcher(working).find()) { + working = working.replaceAll("<<", "<<"); + } + + if (Pattern.compile(">>").matcher(working).find()) { + working = working.replaceAll(">>", ">>"); + } + + return working; + } + + /** + * Replace entity with its unicode equivalent, if it is not a valid XML + * entity. Otherwise strip it out. XML only allows 4 entities: &amp;, + * &quot;, &lt; and &gt;. + * + * @param entity + * the entity to be replaced + * @return the substitution for the entity, either itself, the unicode + * equivalent or an empty string. + */ + private static String handleEntity(final String entity) { + if (goodEntities.contains(entity)) { + return entity; + } + + final String replace = (String) badEntities.get(entity); + if (replace != null) { + return replace; + } + + return replace != null ? replace : ""; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPlugin.java new file mode 100644 index 0000000..a90f707 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPlugin.java @@ -0,0 +1,40 @@ +package eu.dnetlib.data.collector.plugins.oaisets; + +import java.util.Iterator; + +import org.springframework.beans.factory.annotation.Required; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +public class OaiSetsCollectorPlugin extends AbstractCollectorPlugin { + + private OaiSetsIteratorFactory oaiSetsIteratorFactory; + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + final String baseUrl = interfaceDescriptor.getBaseUrl(); + + if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); } + + return new Iterable() { + + @Override + public Iterator iterator() { + return oaiSetsIteratorFactory.newIterator(baseUrl); + } + }; + } + + public OaiSetsIteratorFactory getOaiSetsIteratorFactory() { + return oaiSetsIteratorFactory; + } + + @Required + public void setOaiSetsIteratorFactory(final OaiSetsIteratorFactory oaiSetsIteratorFactory) { + this.oaiSetsIteratorFactory = oaiSetsIteratorFactory; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsIterator.java new file mode 100644 index 0000000..d7ad80f --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsIterator.java @@ -0,0 +1,133 @@ +package eu.dnetlib.data.collector.plugins.oaisets; + +import java.io.StringReader; +import java.util.Iterator; +import java.util.Queue; +import java.util.Set; +import java.util.concurrent.PriorityBlockingQueue; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.dom4j.Document; +import org.dom4j.DocumentException; +import org.dom4j.Element; +import org.dom4j.Node; +import org.dom4j.io.SAXReader; + +import com.google.common.collect.Sets; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +public class OaiSetsIterator implements Iterator { + + private static final Log log = LogFactory.getLog(OaiSetsIterator.class); + + private Queue queue = new PriorityBlockingQueue(); + private SAXReader reader = new SAXReader(); + + private String baseUrl; + + private String token; + private boolean started; + private HttpConnector httpConnector; + + private Set setsAlreadySeen = Sets.newHashSet(); + + public OaiSetsIterator(final String baseUrl, final HttpConnector httpConnector) { + this.baseUrl = baseUrl; + this.started = false; + this.httpConnector = httpConnector; + } + + private void verifyStarted() { + if (!this.started) { + this.started = true; + try { + this.token = firstPage(); + } catch (CollectorServiceException e) { + throw new RuntimeException(e); + } + } + } + + @Override + public boolean hasNext() { + synchronized (queue) { + verifyStarted(); + return !queue.isEmpty(); + } + } + + @Override + public String next() { + synchronized (queue) { + verifyStarted(); + final String res = queue.poll(); + while (queue.isEmpty() && (token != null) && !token.isEmpty()) { + try { + token = otherPages(token); + } catch (CollectorServiceException e) { + throw new RuntimeException(e); + } + } + return res; + } + } + + @Override + public void remove() {} + + private String firstPage() throws CollectorServiceException { + final String url = baseUrl + "?verb=ListSets"; + log.info("Start harvesting using url: " + url); + return downloadPage(url); + } + + private String otherPages(final String resumptionToken) throws CollectorServiceException { + return downloadPage(baseUrl + "?verb=ListSets&resumptionToken=" + resumptionToken); + } + + private String downloadPage(final String url) throws CollectorServiceException { + + final String xml = httpConnector.getInputSource(url); + + Document doc; + try { + doc = reader.read(new StringReader(xml)); + } catch (DocumentException e) { + log.warn("Error parsing xml, I try to clean it: " + xml, e); + final String cleaned = XmlCleaner.cleanAllEntities(xml); + try { + doc = reader.read(new StringReader(cleaned)); + } catch (DocumentException e1) { + throw new CollectorServiceException("Error parsing cleaned document:" + cleaned, e1); + } + } + + final Node errorNode = doc.selectSingleNode("/*[local-name()='OAI-PMH']/*[local-name()='error']"); + if (errorNode != null) { + final String code = errorNode.valueOf("@code"); + if ("noRecordsMatch".equalsIgnoreCase(code.trim())) { + log.warn("noRecordsMatch for oai call: " + url); + return null; + } else throw new CollectorServiceException(code + " - " + errorNode.getText()); + } + + boolean sawAllSets = true; + for (Object o : doc.selectNodes("//*[local-name()='ListSets']/*[local-name()='set']")) { + String set = ((Element) o).valueOf("./*[local-name()='setSpec']"); + if (!setsAlreadySeen.contains(set)) { + sawAllSets = false; + setsAlreadySeen.add(set); + queue.add(((Node) o).asXML()); + } + } + if (sawAllSets) { + log.warn("URL " + baseUrl + " keeps returning the same OAI sets. Please contact the repo admin."); + System.out.println("URL " + baseUrl + " keeps returning the same OAI sets. Please contact the repo admin."); + return null; + } else return doc.valueOf("//*[local-name()='resumptionToken']"); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsIteratorFactory.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsIteratorFactory.java new file mode 100644 index 0000000..efb98c6 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsIteratorFactory.java @@ -0,0 +1,26 @@ +package eu.dnetlib.data.collector.plugins.oaisets; + +import java.util.Iterator; + +import org.springframework.beans.factory.annotation.Required; + +import eu.dnetlib.data.collector.plugins.HttpConnector; + +public class OaiSetsIteratorFactory { + + private HttpConnector httpConnector; + + public Iterator newIterator(String baseUrl) { + return new OaiSetsIterator(baseUrl, httpConnector); + } + + public HttpConnector getHttpConnector() { + return httpConnector; + } + + @Required + public void setHttpConnector(HttpConnector httpConnector) { + this.httpConnector = httpConnector; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/opentrial/OpenTrialIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/opentrial/OpenTrialIterator.java new file mode 100644 index 0000000..216aa0d --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/opentrial/OpenTrialIterator.java @@ -0,0 +1,117 @@ +package eu.dnetlib.data.collector.plugins.opentrial; + +/** + * Created by miriam on 07/03/2017. + */ +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.CollectorServiceRuntimeException; +import org.apache.commons.io.IOUtils; +import java.net.*; +import java.util.Iterator; +import java.util.concurrent.ArrayBlockingQueue; +//import java.util.function.Consumer; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.json.*; + + + +public class OpenTrialIterator implements Iterable { + + private final String base_url; + private int total ; + private ArrayBlockingQueue trials = new ArrayBlockingQueue(100); + private int current = 0; + private static final Log log = LogFactory.getLog(OpenTrialIterator.class); + + public OpenTrialIterator(String base_url, String from_date, String to_date)throws CollectorServiceException{ + try { + String q = "per_page=100"; + if (!(from_date == null)) { + if (!(to_date == null)) { + q = "q=registration_date%3A%5B" + from_date + "%20TO%20" + to_date + "%5D&" + q; + + } else + q = "q=registration_date%3A%5B" + from_date + "%20TO%20*%5D&" + q; + } + this.base_url = base_url+ q; + log.info("url from which to collect " + this.base_url); + prepare(); + }catch(Exception ex){ + throw new CollectorServiceException(ex); + } + } + + private void prepare()throws Exception { + JSONObject json = new JSONObject(getPage(1)); + total = json.getInt("total_count"); + log.info("Total number of entries to collect: " + total); + fillTrials(json); + } + + + @Override + public Iterator iterator() { + return new Iterator(){ + + private int page_number = 2; + + + @Override + public void remove(){ + + } + + @Override + public String next() { + try { + if (trials.isEmpty()) { + JSONObject json = new JSONObject(getPage(page_number)); + fillTrials(json); + page_number++; + } + return trials.poll(); + }catch(Exception ex){ + throw new CollectorServiceRuntimeException(ex); + } + } + + @Override + public boolean hasNext(){ + log.debug("More entries to collect: (" + current + "<" + total + "=" + (current < total)); + return (current < total || !trials.isEmpty()); + } + + + }; + + } + + private void fillTrials(JSONObject json)throws CollectorServiceException{ + + JSONArray entries = json.getJSONArray("items"); + for(Object entry: entries) { + try { + trials.put(XML.toString(entry)); + }catch(Exception ex){ + throw new CollectorServiceException(ex); + } + current++; + } + + } + private String getPage(int page_number)throws CollectorServiceException { + + try { + URL url = new URL(base_url + "&page=" + page_number); + URLConnection conn = url.openConnection(); + conn.setRequestProperty("User-Agent", "Mozilla/5.0"); + return (IOUtils.toString(conn.getInputStream())); + }catch(Exception ex){ + throw new CollectorServiceException(ex); + } + } + + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/opentrial/OpenTrialPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/opentrial/OpenTrialPlugin.java new file mode 100644 index 0000000..2652a15 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/opentrial/OpenTrialPlugin.java @@ -0,0 +1,27 @@ +package eu.dnetlib.data.collector.plugins.opentrial; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + + + +/** + * Created by miriam on 07/03/2017. + */ +public class OpenTrialPlugin extends AbstractCollectorPlugin{ + + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + try { + + OpenTrialIterator iterator = new OpenTrialIterator(interfaceDescriptor.getBaseUrl(),fromDate,untilDate); + return iterator; + } catch (Exception e) { + throw new CollectorServiceException("OOOPS something bad happen on creating iterator ", e); + } + + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/grist/GristCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/grist/GristCollectorPlugin.java new file mode 100644 index 0000000..1fb2cfe --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/grist/GristCollectorPlugin.java @@ -0,0 +1,32 @@ +package eu.dnetlib.data.collector.plugins.projects.grist; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Plugin to collect metadata record about projects and fundings via the europePMC GRIST API (e.g. WT projects). + *

+ * Documentation on GRIST API: http://europepmc.org/GristAPI. + *

+ *

+ * BaseURL: http://www.ebi.ac.uk/europepmc/GristAPI/rest/get/query=ga:"Wellcome Trust"&resultType=core + * where resultType=core asks for the complete information (including abstracts). + * The results returned by the API are XMLs. + *

+ *

+ * Pagination: use parameter 'page'. When the response contains empty 'RecordList', it means we reached the end. + *

+ * + * @author alessia + */ +public class GristCollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + //baseURL: http://www.ebi.ac.uk/europepmc/GristAPI/rest/get/query=ga:%22Wellcome%20Trust%22&resultType=core + return new GristProjectsIterable(interfaceDescriptor.getBaseUrl()); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/grist/GristProjectsIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/grist/GristProjectsIterable.java new file mode 100644 index 0000000..3ad7e87 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/grist/GristProjectsIterable.java @@ -0,0 +1,136 @@ +package eu.dnetlib.data.collector.plugins.projects.grist; + +import java.io.IOException; +import java.net.MalformedURLException; +import java.net.URL; +import java.util.Iterator; +import java.util.List; +import java.util.Queue; +import java.util.concurrent.PriorityBlockingQueue; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.CollectorServiceRuntimeException; +import eu.dnetlib.enabling.resultset.SizedIterable; +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.dom4j.Document; +import org.dom4j.DocumentException; +import org.dom4j.Element; +import org.dom4j.io.SAXReader; + +public class GristProjectsIterable implements SizedIterable { + + private static final Log log = LogFactory.getLog(GristProjectsIterable.class); // NOPMD by marko on 11/24/08 5:02 PM + + private String queryURL; + private int total; + private SAXReader reader; + + public GristProjectsIterable(String baseURL) throws CollectorServiceException { + queryURL = baseURL; + reader = new SAXReader(); + total = getTotalCount(); + } + + @Override + public int getNumberOfElements() { + return total; + } + + private int getTotalCount() throws CollectorServiceException { + try { + URL pageUrl = new URL(queryURL); + log.debug("Getting hit count from: " + pageUrl.toString()); + String resultPage = IOUtils.toString(pageUrl); + Document doc = reader.read(IOUtils.toInputStream(resultPage)); + String hitCount = doc.selectSingleNode("/Response/HitCount").getText(); + return Integer.parseInt(hitCount); + } catch (NumberFormatException e) { + log.warn("Cannot set the total count from '/Response/HitCount'"); + } catch (DocumentException e) { + throw new CollectorServiceException(e); + } catch (MalformedURLException e) { + throw new CollectorServiceException(e); + } catch (IOException e) { + throw new CollectorServiceException(e); + } + return -1; + } + + @Override + public Iterator iterator() { + return new Iterator() { + + private Queue projects = new PriorityBlockingQueue(); + private boolean morePages = true; + private int pageNumber = 0; + private SAXReader reader = new SAXReader(); + //The following is for debug only + private int nextCounter = 0; + + @Override + public boolean hasNext() { + try { + fillProjectListIfNeeded(); + } catch (CollectorServiceException e) { + throw new CollectorServiceRuntimeException(e); + } + return !projects.isEmpty(); + } + + @Override + public String next() { + nextCounter++; + log.debug(String.format("Calling next %s times. projects queue has %s elements", nextCounter, projects.size())); + try { + fillProjectListIfNeeded(); + return projects.poll(); + } catch (CollectorServiceException e) { + throw new CollectorServiceRuntimeException(e); + } + } + + @Override + public void remove() { + throw new UnsupportedOperationException(); + } + + private boolean fillProjectListIfNeeded() throws CollectorServiceException { + if (morePages && projects.isEmpty()) { + String resultPage = getNextPage(); + Document doc = null; + try { + doc = reader.read(IOUtils.toInputStream(resultPage)); + List records = doc.selectNodes("//RecordList/Record"); + if (records != null && !records.isEmpty()) { + for (Element p : records) { + + projects.add(p.asXML()); + } + return true; + } else { + log.info("No more projects to read at page nr. " + pageNumber); + morePages = false; + return false; + } + } catch (DocumentException e) { + throw new CollectorServiceException(e); + } + } else return false; + } + + private String getNextPage() { + pageNumber++; + try { + URL pageUrl = new URL(queryURL + "&page=" + pageNumber); + log.debug("Getting page at: " + pageUrl.toString()); + return IOUtils.toString(pageUrl); + } catch (Exception e) { + throw new CollectorServiceRuntimeException("Error on page " + pageNumber, e); + } + } + }; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2CollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2CollectorPlugin.java new file mode 100644 index 0000000..6e6ef94 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2CollectorPlugin.java @@ -0,0 +1,32 @@ +package eu.dnetlib.data.collector.plugins.projects.gtr2; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Plugin to collect metadata record about projects and fundings via the RCUK grt2 API. + *

+ * Documentation : http://gtr.rcuk.ac.uk/resources/api.html. + *

+ *

+ * BaseURL: http://gtr.rcuk.ac.uk/gtr/api + * The results returned by the API are XMLs. + *

+ *

+ * Pagination: TO BE DEFINED. Exceeding the number of pages available will result in a HTTP response code of 404 + *

+ * + * @author alessia + */ +public class Gtr2CollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) + throws CollectorServiceException { + if (fromDate != null && !fromDate.matches("\\d{4}-\\d{2}-\\d{2}")) { throw new CollectorServiceException("Invalid date (YYYY-MM-DD): " + fromDate); } + + return new Gtr2ProjectsIterable(interfaceDescriptor.getBaseUrl(), fromDate); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2Helper.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2Helper.java new file mode 100644 index 0000000..1ef0b91 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2Helper.java @@ -0,0 +1,181 @@ +package eu.dnetlib.data.collector.plugins.projects.gtr2; + +import java.io.ByteArrayOutputStream; +import java.io.StringWriter; +import java.util.concurrent.*; + +import com.ximpleware.AutoPilot; +import com.ximpleware.VTDGen; +import com.ximpleware.VTDNav; +import eu.dnetlib.data.collector.plugins.HttpConnector; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.commons.lang3.*; + +public class Gtr2Helper { + + private static final Log log = LogFactory.getLog(Gtr2Helper.class); // NOPMD by marko on 11/24/08 5:02 PM + + private VTDNav mainVTDNav; + private AutoPilot mainAutoPilot; + private StringWriter writer; + private HttpConnector connector; + //private BlockingQueue fragment = new ArrayBlockingQueue(20); + + public String processProject(final VTDNav vn, final String namespaces) throws Exception { + //log.debug("Processing project at "+projectURL); + writer = new StringWriter(); + mainVTDNav = vn; + mainAutoPilot = new AutoPilot(mainVTDNav); + writer.write(""); + writeFragment(mainVTDNav); + + mainAutoPilot.selectXPath("//link[@rel='FUND']"); + ExecutorService es = Executors.newFixedThreadPool(5); + + while (mainAutoPilot.evalXPath() != -1) { + Thread t = new Thread(new ProcessFunder(mainVTDNav.toNormalizedString(mainVTDNav.getAttrVal("href")))); + es.execute(t); + } + + mainAutoPilot.resetXPath(); + mainAutoPilot.selectXPath(".//link[@rel='LEAD_ORG']"); + while (mainAutoPilot.evalXPath() != -1) { + Thread t = new Thread(new Org(mainVTDNav.toNormalizedString(mainVTDNav.getAttrVal("href")), + new String[] { "", "" })); + es.execute(t); + } + mainAutoPilot.resetXPath(); + mainAutoPilot.selectXPath(".//link[@rel='PP_ORG']"); + while (mainAutoPilot.evalXPath() != -1) { + Thread t = new Thread(new Org(mainVTDNav.toNormalizedString(mainVTDNav.getAttrVal("href")), + new String[] { "","" })); + es.execute(t); + } + mainAutoPilot.resetXPath(); + + mainAutoPilot.selectXPath(".//link[@rel='PI_PER']"); + while (mainAutoPilot.evalXPath() != -1) { + Thread t = new Thread(new PiPer(mainVTDNav.toNormalizedString(mainVTDNav.getAttrVal("href")))); + es.execute(t); + } + es.shutdown(); + log.debug("Waiting threads"); + es.awaitTermination(10, TimeUnit.MINUTES); + + log.debug("Finished writing project"); + writer.write(""); + writer.close(); + + return writer.toString(); + } + + private VTDNav setNavigator(final String httpUrl) { + VTDGen vg_tmp = new VTDGen(); + connector = new HttpConnector(); + try { + byte[] bytes = connector.getInputSource(httpUrl).getBytes("UTF-8"); + vg_tmp.setDoc(bytes); + vg_tmp.parse(false); + //vg_tmp.parseHttpUrl(httpUrl, false); + return vg_tmp.getNav(); + }catch (Throwable e){ + return null; + } + } + + private int evalXpath(final VTDNav fragmentVTDNav, final String xPath) throws Exception { + + AutoPilot ap_tmp = new AutoPilot(fragmentVTDNav); + ap_tmp.selectXPath(xPath); + return ap_tmp.evalXPath(); + } + + private void writeFragment(final VTDNav nav) throws Exception { + ByteArrayOutputStream b = new ByteArrayOutputStream(); + nav.dumpFragment(b); + String ret = b.toString(); + b.reset(); + writer.write(ret); + } + + private void writeNewTagAndInfo(final VTDNav vn, final String xPath, final String xmlOpenTag, final String xmlCloseTag, final String attrName) throws Exception { + + int nav_res = evalXpath(vn, xPath); + if (nav_res != -1) { + String tmp = xmlOpenTag; + if (attrName != null) tmp += (vn.toNormalizedString(vn.getAttrVal(attrName))); + else + tmp += (StringEscapeUtils.escapeXml11(vn.toNormalizedString(vn.getText()))); + tmp += (xmlCloseTag); + writer.write(tmp); + } + } + + private class PiPer implements Runnable { + + private VTDNav vn; + + public PiPer(String httpURL) { + vn = setNavigator(httpURL); + } + + @Override + public void run() { + try { + writeFragment(vn); + } catch (Throwable e) {log.debug("Eccezione in PiPer " + e.getMessage());} + + } + } + + private class Org implements Runnable { + + private String[] tags; + private VTDNav vn; + + public Org(final String httpURL, final String[] tags) { + vn = setNavigator(httpURL); + this.tags = tags; + } + + @Override + public void run() { + try { + writeNewTagAndInfo(vn, "//name", tags[0]+"", "", null); + vn.toElement(VTDNav.ROOT); + writeNewTagAndInfo(vn, "//country", "", "", null); + vn.toElement(VTDNav.ROOT); + writeNewTagAndInfo(vn, ".", "", ""+tags[1], "id"); + } catch (Throwable e) { + log.debug("Eccezione in Org " + e.getMessage()); + } + } + + } + + private class ProcessFunder implements Runnable { + + private VTDNav vn; + + public ProcessFunder(final String httpURL) { + vn = setNavigator(httpURL); + } + + @Override + public void run() { + + try { + AutoPilot ap = new AutoPilot(vn); + writeFragment(vn); + ap.selectXPath(".//link[@rel='FUNDER']"); + VTDNav tmp_vn; + while (ap.evalXPath() != -1) { + tmp_vn = setNavigator(vn.toNormalizedString(vn.getAttrVal("href"))); + writeNewTagAndInfo(tmp_vn, "//name", " ", "", null); + } + } catch (Throwable e) {log.debug("Eccezione in Funder" + e.getMessage());} + } + + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2ProjectsIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2ProjectsIterable.java new file mode 100644 index 0000000..600d0fc --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2ProjectsIterable.java @@ -0,0 +1,352 @@ +package eu.dnetlib.data.collector.plugins.projects.gtr2; + +import java.util.Iterator; +import java.util.NoSuchElementException; +import java.util.concurrent.ArrayBlockingQueue; +import java.util.concurrent.ExecutorService; +import java.util.concurrent.Executors; +import java.util.concurrent.TimeUnit; + +import com.ximpleware.AutoPilot; +import com.ximpleware.VTDGen; +import com.ximpleware.VTDNav; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.CollectorServiceRuntimeException; +import eu.dnetlib.enabling.resultset.SizedIterable; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.joda.time.DateTime; +import org.joda.time.format.DateTimeFormat; +import org.joda.time.format.DateTimeFormatter; +import eu.dnetlib.data.collector.plugins.HttpConnector; + +/** + * Created by alessia on 28/11/16. + */ +public class Gtr2ProjectsIterable implements SizedIterable { + + public static final String TERMINATOR = "ARNOLD"; + public static final int WAIT_END_SECONDS = 120; + public static final int PAGE_SZIE = 20; + + private static final Log log = LogFactory.getLog(Gtr2ProjectsIterable.class); + + private String queryURL; + private int total = -1; + private int startFromPage = 1; + private int endAtPage; + private VTDGen vg; + private VTDNav vn; + private AutoPilot ap; + private String namespaces; + private boolean incremental = false; + private DateTime fromDate; + private DateTimeFormatter simpleDateTimeFormatter = DateTimeFormat.forPattern("yyyy-MM-dd"); + private ArrayBlockingQueue projects = new ArrayBlockingQueue(20); + //private boolean finished = false; + private final ExecutorService es = Executors.newFixedThreadPool(PAGE_SZIE); + private String nextElement = null; + private HttpConnector connector; + + public Gtr2ProjectsIterable(final String baseUrl, final String fromDate) throws CollectorServiceException { + prepare(baseUrl, fromDate); + fillInfo(true); + } + + public Gtr2ProjectsIterable(final String baseUrl, final String fromDate, final int startFromPage, final int endAtPage) throws CollectorServiceException { + prepare(baseUrl, fromDate); + this.setStartFromPage(startFromPage); + this.setEndAtPage(endAtPage); + fillInfo(false); + } + + private void prepare(final String baseUrl, final String fromDate) { + connector = new HttpConnector(); + queryURL = baseUrl + "/projects"; + vg = new VTDGen(); + this.incremental = StringUtils.isNotBlank(fromDate); + if (incremental) { + // I expect fromDate in the format 'yyyy-MM-dd'. See class eu.dnetlib.msro.workflows.nodes.collect.FindDateRangeForIncrementalHarvestingJobNode + this.fromDate = DateTime.parse(fromDate, simpleDateTimeFormatter); + log.debug("fromDate string: " + fromDate + " -- parsed: " + this.fromDate.toString()); + } + } + + @Override + public int getNumberOfElements() { + return total; + } + + private void fillInfo(final boolean all) throws CollectorServiceException { + try { + // log.debug("Getting hit count from: " + queryURL); + byte[] bytes = connector.getInputSource(queryURL).getBytes("UTF-8"); + vg.setDoc(bytes); + vg.parse(false); + //vg.parseHttpUrl(queryURL, false); + initParser(); + String hitCount = vn.toNormalizedString(vn.getAttrVal("totalSize")); + String totalPages = vn.toNormalizedString(vn.getAttrVal("totalPages")); + namespaces = "xmlns:ns1=\"" + vn.toNormalizedString(vn.getAttrVal("ns1")) + "\" "; + namespaces += "xmlns:ns2=\"" + vn.toNormalizedString(vn.getAttrVal("ns2")) + "\" "; + namespaces += "xmlns:ns3=\"" + vn.toNormalizedString(vn.getAttrVal("ns3")) + "\" "; + namespaces += "xmlns:ns4=\"" + vn.toNormalizedString(vn.getAttrVal("ns4")) + "\" "; + namespaces += "xmlns:ns5=\"" + vn.toNormalizedString(vn.getAttrVal("ns5")) + "\" "; + namespaces += "xmlns:ns6=\"" + vn.toNormalizedString(vn.getAttrVal("ns6")) + "\" "; + if (all) { + setEndAtPage(Integer.parseInt(totalPages)); + total = Integer.parseInt(hitCount); + } + Thread ft = new Thread(new FillProjectList()); + ft.start(); + log.debug("Expected number of pages: " + (endAtPage - startFromPage + 1)); + } catch (NumberFormatException e) { + log.error("Cannot set the total count or the number of pages"); + throw new CollectorServiceException(e); + } catch (Throwable e) { + throw new CollectorServiceException(e); + } + } + + @Override + public Iterator iterator() { + + return new Iterator() { + // The following is for debug only + private int nextCounter = 0; + + @Override + public boolean hasNext() { + try { + log.debug("hasNext?"); + if (nextElement == null) { + nextElement = projects.poll(WAIT_END_SECONDS, TimeUnit.SECONDS); + log.debug("Exit poll :-)"); + } + return nextElement != null && !nextElement.equals(TERMINATOR); + } catch (InterruptedException e) { + throw new CollectorServiceRuntimeException(e); + } + } + + @Override + public String next() { + nextCounter++; + log.debug(String.format("Calling next %s times.", nextCounter)); + + if (nextElement == null) throw new NoSuchElementException(); + else { + String res = nextElement; + nextElement = null; + return res; + } + } + + @Override + public void remove() { + throw new UnsupportedOperationException(); + } + + }; + } + + private void initParser() { + vn = vg.getNav(); + ap = new AutoPilot(vn); + } + + public String getQueryURL() { + return queryURL; + } + + public void setQueryURL(final String queryURL) { + this.queryURL = queryURL; + } + + public int getTotal() { + return total; + } + + public void setTotal(final int total) { + this.total = total; + } + + public int getEndAtPage() { + return endAtPage; + } + + public void setEndAtPage(final int endAtPage) { + this.endAtPage = endAtPage; + log.debug("Overriding endAtPage to " + endAtPage); + } + + public VTDGen getVg() { + return vg; + } + + public void setVg(final VTDGen vg) { + this.vg = vg; + } + + public VTDNav getVn() { + return vn; + } + + public void setVn(final VTDNav vn) { + this.vn = vn; + } + + public AutoPilot getAp() { + return ap; + } + + public void setAp(final AutoPilot ap) { + this.ap = ap; + } + + public String getNamespaces() { + return namespaces; + } + + public void setNamespaces(final String namespaces) { + this.namespaces = namespaces; + } + + public int getStartFromPage() { + return startFromPage; + } + + public void setStartFromPage(final int startFromPage) { + this.startFromPage = startFromPage; + log.debug("Overriding startFromPage to " + startFromPage); + } + + private class FillProjectList implements Runnable { + + private boolean morePages = true; + private int pageNumber = startFromPage; + + @Override + public void run() { + String resultPageUrl = ""; + try { + do { + resultPageUrl = getNextPageUrl(); + log.debug("Page: " + resultPageUrl); + // clear VGen before processing the next file + vg.clear(); + byte[] bytes = connector.getInputSource(resultPageUrl).getBytes("UTF-8"); + vg.setDoc(bytes); + vg.parse(false); + //vg.parseHttpUrl(resultPageUrl, false); + initParser(); + ap.selectXPath("//project"); + int res; + + while ((res = ap.evalXPath()) != -1) { + final String projectHref = vn.toNormalizedString(vn.getAttrVal("href")); + Thread t = new Thread(new ParseProject(projectHref)); + t.setName("Thread for " + res); + es.execute(t); + } + ap.resetXPath(); + + } while (morePages); + es.shutdown(); + es.awaitTermination(WAIT_END_SECONDS, TimeUnit.SECONDS); + projects.put(TERMINATOR); + + } catch (Throwable e) { + log.error("Exception processing " + resultPageUrl + "\n" + e.getMessage()); + } + } + + private String getNextPageUrl() { + String url = queryURL + "?p=" + pageNumber; + if (pageNumber == endAtPage) { + morePages = false; + } + pageNumber++; + return url; + } + + } + + private class ParseProject implements Runnable { + + VTDNav vn1; + VTDGen vg1; + private String projectRef; + + public ParseProject(final String projectHref) { + projectRef = projectHref; + vg1 = new VTDGen(); + try { + byte[] bytes = connector.getInputSource(projectRef).getBytes("UTF-8"); + vg1.setDoc(bytes); + vg1.parse(false); + //vg1.parseHttpUrl(projectRef, false); + vn1 = vg1.getNav(); + }catch(Throwable e){ + log.error("Exception processing " + projectRef + "\n" + e.getMessage()); + } + } + + private int projectsUpdate(String attr) throws CollectorServiceException { + try { + int index = vn1.getAttrVal(attr); + if (index != -1) { + String d = vn1.toNormalizedString(index); + DateTime recordDate = DateTime.parse(d.substring(0, d.indexOf("T")), simpleDateTimeFormatter); + // updated or created after the last time it was collected + if (recordDate.isAfter(fromDate)) { + log.debug("New project to collect"); + return index; + } + return -1; + } + return index; + } catch (Throwable e) { + throw new CollectorServiceException(e); + } + } + + private String collectProject() throws CollectorServiceException { + try { + + int p = vn1.getAttrVal("href"); + + final String projectHref = vn1.toNormalizedString(p); + log.debug("collecting project at " + projectHref); + + Gtr2Helper gtr2Helper = new Gtr2Helper(); + String projectPackage = gtr2Helper.processProject(vn1, namespaces); + + return projectPackage; + } catch (Throwable e) { + throw new CollectorServiceException(e); + } + } + + private boolean add(String attr) throws CollectorServiceException { + return projectsUpdate(attr) != -1; + } + + @Override + public void run() { + log.debug("Getting project info from " + projectRef); + try { + if (!incremental || (incremental && (add("created") || add("updated")))) { + projects.put(collectProject()); + log.debug("Project enqueued " + projectRef); + } + } catch (Throwable e) { + log.error("Error on ParseProject " + e.getMessage()); + throw new CollectorServiceRuntimeException(e); + } + } + + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/rest/RestCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/rest/RestCollectorPlugin.java new file mode 100644 index 0000000..142e563 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/rest/RestCollectorPlugin.java @@ -0,0 +1,59 @@ +/** + * + */ +package eu.dnetlib.data.collector.plugins.rest; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.lang3.StringUtils; + +/** + * @author js, Andreas Czerniak + * + */ +public class RestCollectorPlugin extends AbstractCollectorPlugin { + + @Override + public Iterable collect(InterfaceDescriptor ifDescriptor, String arg1, String arg2) + throws CollectorServiceException { + final String baseUrl = ifDescriptor.getBaseUrl(); + final String resumptionType = ifDescriptor.getParams().get("resumptionType"); + final String resumptionParam = ifDescriptor.getParams().get("resumptionParam"); + final String resumptionXpath = ifDescriptor.getParams().get("resumptionXpath"); + final String resultTotalXpath = ifDescriptor.getParams().get("resultTotalXpath"); + final String resultFormatParam = ifDescriptor.getParams().get("resultFormatParam"); + final String resultFormatValue = ifDescriptor.getParams().get("resultFormatValue"); + final String resultSizeParam = ifDescriptor.getParams().get("resultSizeParam"); + final String resultSizeValue = (StringUtils.isBlank(ifDescriptor.getParams().get("resultSizeValue"))) ? "100" : ifDescriptor.getParams().get("resultSizeValue"); + final String queryParams = ifDescriptor.getParams().get("queryParams"); + final String entityXpath = ifDescriptor.getParams().get("entityXpath"); + + if (StringUtils.isBlank(baseUrl)) {throw new CollectorServiceException("Param 'baseUrl' is null or empty");} + if (StringUtils.isBlank(resumptionType)) {throw new CollectorServiceException("Param 'resumptionType' is null or empty");} + if (StringUtils.isBlank(resumptionParam)) {throw new CollectorServiceException("Param 'resumptionParam' is null or empty");} + // if (StringUtils.isBlank(resumptionXpath)) {throw new CollectorServiceException("Param 'resumptionXpath' is null or empty");} + // if (StringUtils.isBlank(resultTotalXpath)) {throw new CollectorServiceException("Param 'resultTotalXpath' is null or empty");} + // resultFormatParam can be emtpy because some Rest-APIs doesn't like this argument in the query + //if (StringUtils.isBlank(resultFormatParam)) {throw new CollectorServiceException("Param 'resultFormatParam' is null, empty or whitespace");} + if (StringUtils.isBlank(resultFormatValue)) {throw new CollectorServiceException("Param 'resultFormatValue' is null or empty");} + if (StringUtils.isBlank(resultSizeParam)) {throw new CollectorServiceException("Param 'resultSizeParam' is null or empty");} + // prevent resumptionType: discover -- if (Integer.valueOf(resultSizeValue) <= 1) {throw new CollectorServiceException("Param 'resultSizeValue' is less than 2");} + if (StringUtils.isBlank(queryParams)) {throw new CollectorServiceException("Param 'queryParams' is null or empty");} + if (StringUtils.isBlank(entityXpath)) {throw new CollectorServiceException("Param 'entityXpath' is null or empty");} + + return () -> new RestIterator( + baseUrl, + resumptionType, + resumptionParam, + resumptionXpath, + resultTotalXpath, + resultFormatParam, + resultFormatValue, + resultSizeParam, + resultSizeValue, + queryParams, + entityXpath); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/rest/RestIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/rest/RestIterator.java new file mode 100644 index 0000000..597856c --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/rest/RestIterator.java @@ -0,0 +1,343 @@ +/** + * log.debug(...) equal to log.trace(...) in the application-logs + *

+ * known bug: at resumptionType 'discover' if the (resultTotal % resultSizeValue) == 0 the collecting fails -> change the resultSizeValue + */ +package eu.dnetlib.data.collector.plugins.rest; + +import java.io.InputStream; +import java.io.StringWriter; +import java.net.URL; +import java.util.Iterator; +import java.util.Queue; +import java.util.concurrent.PriorityBlockingQueue; +import javax.xml.transform.OutputKeys; +import javax.xml.transform.Transformer; +import javax.xml.transform.TransformerConfigurationException; +import javax.xml.transform.TransformerFactory; +import javax.xml.transform.dom.DOMSource; +import javax.xml.transform.stream.StreamResult; +import javax.xml.xpath.*; + +import eu.dnetlib.data.collector.plugins.oai.engine.XmlCleaner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.io.IOUtils; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.w3c.dom.Node; +import org.w3c.dom.NodeList; +import org.xml.sax.InputSource; + +/** + * @author Jochen Schirrwagen, Aenne Loehden, Andreas Czerniak + * @date 2018-09-03 + * + */ +public class RestIterator implements Iterator { + + // TODO: clean up the comments of replaced source code + private static final Log log = LogFactory.getLog(RestIterator.class); // NOPMD by marko on 11/24/08 5:02 PM + + private static final String wrapName = "recordWrap"; + private String baseUrl; + private String resumptionType; + private String resumptionParam; + private String resultFormatValue; + private String queryParams; + private int resultSizeValue; + private int resumptionInt = 0; // integer resumption token (first record to harvest) + private int resultTotal = -1; + private String resumptionStr = Integer.toString(resumptionInt); // string resumption token (first record to harvest or token scanned from results) + private InputStream resultStream; + private Transformer transformer; + private XPath xpath; + private String query; + private XPathExpression xprResultTotalPath; + private XPathExpression xprResumptionPath; + private XPathExpression xprEntity; + private String queryFormat; + private String querySize; + private Queue recordQueue = new PriorityBlockingQueue(); + private int discoverResultSize = 0; + private int pagination = 1; + + public RestIterator( + final String baseUrl, + final String resumptionType, + final String resumptionParam, + final String resumptionXpath, + final String resultTotalXpath, + final String resultFormatParam, + final String resultFormatValue, + final String resultSizeParam, + final String resultSizeValueStr, + final String queryParams, + final String entityXpath + ) { + this.baseUrl = baseUrl; + this.resumptionType = resumptionType; + this.resumptionParam = resumptionParam; + this.resultFormatValue = resultFormatValue; + this.queryParams = queryParams; + this.resultSizeValue = Integer.valueOf(resultSizeValueStr); + + queryFormat = StringUtils.isNotBlank(resultFormatParam) ? "&" + resultFormatParam + "=" + resultFormatValue : ""; + querySize = StringUtils.isNotBlank(resultSizeParam) ? "&" + resultSizeParam + "=" + resultSizeValueStr : ""; + + try { + initXmlTransformation(resultTotalXpath, resumptionXpath, entityXpath); + } catch (Exception e) { + throw new IllegalStateException("xml transformation init failed: " + e.getMessage()); + } + initQueue(); + } + + private void initXmlTransformation(String resultTotalXpath, String resumptionXpath, String entityXpath) + throws TransformerConfigurationException, XPathExpressionException { + transformer = TransformerFactory.newInstance().newTransformer(); + transformer.setOutputProperty(OutputKeys.INDENT, "yes"); + transformer.setOutputProperty("{http://xml.apache.org/xslt}indent-amount", "3"); + xpath = XPathFactory.newInstance().newXPath(); + xprResultTotalPath = xpath.compile(resultTotalXpath); + xprResumptionPath = xpath.compile(StringUtils.isBlank(resumptionXpath) ? "/" : resumptionXpath); + xprEntity = xpath.compile(entityXpath); + } + + private void initQueue() { + query = baseUrl + "?" + queryParams + querySize + queryFormat; + } + + private void disconnect() { + // TODO close inputstream + } + + /* (non-Javadoc) + * @see java.util.Iterator#hasNext() + */ + @Override + public boolean hasNext() { + if (recordQueue.isEmpty() && query.isEmpty()) { + disconnect(); + return false; + } else { + return true; + } + } + + /* (non-Javadoc) + * @see java.util.Iterator#next() + */ + @Override + public String next() { + synchronized (recordQueue) { + while (recordQueue.isEmpty() && !query.isEmpty()) { + try { + log.info("get Query: " + query); + query = downloadPage(query); + log.debug("next queryURL from downloadPage(): " + query); + } catch (CollectorServiceException e) { + log.debug("CollectorPlugin.next()-Exception: " + e); + throw new RuntimeException(e); + } + } + return recordQueue.poll(); + } + } + + /* + * download page and return nextQuery + */ + private String downloadPage(String query) throws CollectorServiceException { + String resultJson; + String resultXml = ""; + String nextQuery = ""; + String emptyXml = resultXml + "<" + wrapName + ">"; + Node resultNode = null; + NodeList nodeList = null; + String qUrlArgument = ""; + int urlOldResumptionSize = 0; + + try { + URL qUrl = new URL(query); + + resultStream = qUrl.openStream(); + if ("json".equals(resultFormatValue.toLowerCase())) { + + resultJson = IOUtils.toString(resultStream, "UTF-8"); + resultJson = syntaxConvertJsonKeyNamens(resultJson); + org.json.JSONObject jsonObject = new org.json.JSONObject(resultJson); + resultXml += org.json.XML.toString(jsonObject, wrapName); // wrap xml in single root element + log.trace("before inputStream: " + resultXml); + resultXml = XmlCleaner.cleanAllEntities(resultXml); + log.trace("after cleaning: " + resultXml); + resultStream = IOUtils.toInputStream(resultXml, "UTF-8"); + } + + if (!(emptyXml.toLowerCase()).equals(resultXml.toLowerCase())) { + resultNode = (Node) xpath.evaluate("/", new InputSource(resultStream), XPathConstants.NODE); + nodeList = (NodeList) xprEntity.evaluate(resultNode, XPathConstants.NODESET); + log.debug("nodeList.length: " + nodeList.getLength()); + for (int i = 0; i < nodeList.getLength(); i++) { + StringWriter sw = new StringWriter(); + transformer.transform(new DOMSource(nodeList.item(i)), new StreamResult(sw)); + recordQueue.add(sw.toString()); + } + } else { log.info("resultXml is equal with emptyXml"); } + + resumptionInt += resultSizeValue; + + switch (resumptionType.toLowerCase()) { + case "scan": // read of resumptionToken , evaluate next results, e.g. OAI, iterate over items + resumptionStr = xprResumptionPath.evaluate(resultNode); + break; + + case "count": // begin at one step for all records, iterate over items + resumptionStr = Integer.toString(resumptionInt); + break; + + case "discover": // size of result items unknown, iterate over items (for openDOAR - 201808) + if (resultSizeValue < 2) {throw new CollectorServiceException("Mode: discover, Param 'resultSizeValue' is less than 2");} + qUrlArgument = qUrl.getQuery(); + String[] arrayQUrlArgument = qUrlArgument.split("&"); + for (String arrayUrlArgStr : arrayQUrlArgument) { + if (arrayUrlArgStr.startsWith(resumptionParam)) { + String[] resumptionKeyValue = arrayUrlArgStr.split("="); + urlOldResumptionSize = Integer.parseInt(resumptionKeyValue[1]); + log.debug("discover OldResumptionSize from Url: " + urlOldResumptionSize); + } + } + + if (((emptyXml.toLowerCase()).equals(resultXml.toLowerCase())) + || ((nodeList != null) && (nodeList.getLength() < resultSizeValue)) + ) { + // resumptionStr = ""; + if (nodeList != null) { discoverResultSize += nodeList.getLength(); } + resultTotal = discoverResultSize; + } else { + resumptionStr = Integer.toString(resumptionInt); + resultTotal = resumptionInt + 1; + if (nodeList != null) { discoverResultSize += nodeList.getLength(); } + } + log.info("discoverResultSize: " + discoverResultSize); + break; + + case "pagination": + case "page": // pagination, iterate over pages + pagination += 1; + if (nodeList != null) { + discoverResultSize += nodeList.getLength(); + } else { + resultTotal = discoverResultSize; + pagination = discoverResultSize; + } + resumptionInt = pagination; + resumptionStr = Integer.toString(resumptionInt); + break; + + default: // otherwise: abort + // resultTotal = resumptionInt; + break; + } + + if (resultTotal == -1) { + resultTotal = Integer.parseInt(xprResultTotalPath.evaluate(resultNode)); + if (resumptionType.toLowerCase().equals("page")) { resultTotal += 1; } // to correct the upper bound + log.info("resultTotal was -1 is now: " + resultTotal); + } + log.info("resultTotal: " + resultTotal); + log.info("resInt: " + resumptionInt); + if (resumptionInt < resultTotal) { + nextQuery = baseUrl + "?" + queryParams + querySize + "&" + resumptionParam + "=" + resumptionStr + queryFormat; + } else + nextQuery = ""; + + log.debug("nextQueryUrl: " + nextQuery); + return nextQuery; + + } catch (Exception e) { + log.error(e); + throw new IllegalStateException("collection failed: " + e.getMessage()); + } + } + + /** + * convert in JSON-KeyName 'whitespace(s)' to '_' and '/' to '_', '(' and ')' to '' + * check W3C XML syntax: https://www.w3.org/TR/2006/REC-xml11-20060816/#sec-starttags for valid tag names + * and work-around for the JSON to XML converting of org.json.XML-package. + * + * known bugs: doesn't prevent "key name":" ["sexy name",": penari","erotic dance"], + * + * @param jsonInput + * @return convertedJsonKeynameOutput + */ + private String syntaxConvertJsonKeyNamens(String jsonInput) { + + log.trace("before convertJsonKeyNames: " + jsonInput); + // pre-clean json - rid spaces of element names (misinterpreted as elements with attributes in xml) + // replace ' 's in JSON Namens with '_' + while (jsonInput.matches(".*\"([^\"]*)\\s+([^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"]*)\\s+([^\"]*)\":", "\"$1_$2\":"); + } + + // replace forward-slash (sign '/' ) in JSON Names with '_' + while (jsonInput.matches(".*\"([^\"]*)/([^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"]*)/([^\"]*)\":", "\"$1_$2\":"); + } + + // replace '(' in JSON Names with '' + while (jsonInput.matches(".*\"([^\"]*)[(]([^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"]*)[(]([^\"]*)\":", "\"$1$2\":"); + } + + // replace ')' in JSON Names with '' + while (jsonInput.matches(".*\"([^\"]*)[)]([^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"]*)[)]([^\"]*)\":", "\"$1$2\":"); + } + + // replace startNumbers in JSON Keynames with 'n_' + while (jsonInput.matches(".*\"([^\"][0-9])([^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"][0-9])([^\"]*)\":", "\"n_$1$2\":"); + } + + // replace ':' between number like '2018-08-28T11:05:00Z' in JSON keynames with '' + while (jsonInput.matches(".*\"([^\"]*[0-9]):([0-9][^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"]*[0-9]):([0-9][^\"]*)\":", "\"$1$2\":"); + } + + // replace ',' in JSON Keynames with '.' to prevent , in xml tagnames. + // while (jsonInput.matches(".*\"([^\"]*),([^\"]*)\":.*")) { + // jsonInput = jsonInput.replaceAll("\"([^\"]*),([^\"]*)\":", "\"$1.$2\":"); + // } + + // replace '=' in JSON Keynames with '-' + while (jsonInput.matches(".*\"([^\"]*)=([^\"]*)\":.*")) { + jsonInput = jsonInput.replaceAll("\"([^\"]*)=([^\"]*)\":", "\"$1-$2\":"); + } + + log.trace("after syntaxConvertJsonKeyNames: " + jsonInput); + return jsonInput; + } + + /** + * + * https://www.w3.org/TR/REC-xml/#charencoding shows character enoding in entities + * * + * @param bufferStr - XML string + * @return + */ + private static String cleanUnwantedJsonCharsInXmlTagnames(String bufferStr) { + + while (bufferStr.matches(".*<([^<>].*),(.)>.*")) { + bufferStr = bufferStr.replaceAll("<([^<>.*),(.*)>", "<$1$2>"); + } + + // replace [#x10-#x1f] with '' + // while (bufferStr.matches(".*[0-9a-f].*")) { + // bufferStr = bufferStr.replaceAll("([0-9a-fA-F])", ""); + // } + + return bufferStr; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/DatasetDocument.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/DatasetDocument.java new file mode 100644 index 0000000..9df6f0a --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/DatasetDocument.java @@ -0,0 +1,685 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.w3c.dom.Attr; +import org.w3c.dom.Document; +import org.w3c.dom.Element; + +import javax.xml.parsers.DocumentBuilder; +import javax.xml.parsers.DocumentBuilderFactory; +import javax.xml.parsers.ParserConfigurationException; +import javax.xml.transform.Transformer; +import javax.xml.transform.TransformerFactory; +import javax.xml.transform.dom.DOMSource; +import javax.xml.transform.stream.StreamResult; +import java.io.StringWriter; +import java.time.LocalDate; +import java.time.format.DateTimeFormatter; +import java.util.Calendar; +import java.util.Date; +import java.util.List; + +public class DatasetDocument { + private List identifiers; + private List creators; + private List titles; + private List alternativeTitles; + private List publishers; + private List publicationDates; + private List subjects; + private List contributors; + private List createdDates; + private List updatedDates; + private List languages; + private List resourceTypes; + private List alternateIdentifier; + private List citations; + private List sizes; + private List format; + private List version; + private List licenses; + private List descriptions; + private List disambiguatingDescriptions; + private List geoLocations; + + public List getIdentifiers() { + return identifiers; + } + + public void setIdentifiers(List identifiers) { + this.identifiers = identifiers; + } + + public List getCreators() { + return creators; + } + + public void setCreators(List creators) { + this.creators = creators; + } + + public List getTitles() { + return titles; + } + + public void setTitles(List titles) { + this.titles = titles; + } + + public List getAlternativeTitles() { + return alternativeTitles; + } + + public void setAlternativeTitles(List alternativeTitles) { + this.alternativeTitles = alternativeTitles; + } + + public List getPublishers() { + return publishers; + } + + public void setPublishers(List publishers) { + this.publishers = publishers; + } + + public List getPublicationDates() { + return publicationDates; + } + + public void setPublicationDates(List publicationDates) { + this.publicationDates = publicationDates; + } + + public List getSubjects() { + return subjects; + } + + public void setSubjects(List subjects) { + this.subjects = subjects; + } + + public List getContributors() { + return contributors; + } + + public void setContributors(List contributors) { + this.contributors = contributors; + } + + public List getCreatedDates() { + return createdDates; + } + + public void setCreatedDates(List createdDates) { + this.createdDates = createdDates; + } + + public List getUpdatedDates() { + return updatedDates; + } + + public void setUpdatedDates(List updatedDates) { + this.updatedDates = updatedDates; + } + + public List getLanguages() { + return languages; + } + + public void setLanguages(List languages) { + this.languages = languages; + } + + public List getResourceTypes() { + return resourceTypes; + } + + public void setResourceTypes(List resourceTypes) { + this.resourceTypes = resourceTypes; + } + + public List getAlternateIdentifier() { + return alternateIdentifier; + } + + public void setAlternateIdentifier(List alternateIdentifier) { + this.alternateIdentifier = alternateIdentifier; + } + + public List getCitations() { + return citations; + } + + public void setCitations(List citations) { + this.citations = citations; + } + + public List getSizes() { + return sizes; + } + + public void setSizes(List sizes) { + this.sizes = sizes; + } + + public List getFormat() { + return format; + } + + public void setFormat(List format) { + this.format = format; + } + + public List getVersion() { + return version; + } + + public void setVersion(List version) { + this.version = version; + } + + public List getLicenses() { + return licenses; + } + + public void setLicenses(List licenses) { + this.licenses = licenses; + } + + public List getDescriptions() { + return descriptions; + } + + public void setDescriptions(List descriptions) { + this.descriptions = descriptions; + } + + public List getDisambiguatingDescriptions() { + return disambiguatingDescriptions; + } + + public void setDisambiguatingDescriptions(List disambiguatingDescriptions) { + this.disambiguatingDescriptions = disambiguatingDescriptions; + } + + public List getGeoLocations() { + return geoLocations; + } + + public void setGeoLocations(List geoLocations) { + this.geoLocations = geoLocations; + } + + private static String emptyXml; + private static Object lockEmptyXml = new Object(); + public static String emptyXml() { + if(DatasetDocument.emptyXml!=null) return DatasetDocument.emptyXml; + + String xml = null; + try { + DocumentBuilderFactory docFactory = DocumentBuilderFactory.newInstance(); + DocumentBuilder docBuilder = docFactory.newDocumentBuilder(); + Document doc = docBuilder.newDocument(); + + Element root = doc.createElement("dataset"); + doc.appendChild(root); + + TransformerFactory tf = TransformerFactory.newInstance(); + Transformer transformer = tf.newTransformer(); + StringWriter writer = new StringWriter(); + transformer.transform(new DOMSource(doc), new StreamResult(writer)); + xml = writer.getBuffer().toString(); + }catch(Exception ex){ + xml = ""; + } + + synchronized (DatasetDocument.lockEmptyXml) { + if (DatasetDocument.emptyXml == null) DatasetDocument.emptyXml = xml; + } + + return DatasetDocument.emptyXml; + } + + public String toXml() throws Exception { + DocumentBuilderFactory docFactory = DocumentBuilderFactory.newInstance(); + DocumentBuilder docBuilder = docFactory.newDocumentBuilder(); + Document doc = docBuilder.newDocument(); + + Element root = doc.createElement("dataset"); + doc.appendChild(root); + + if(this.identifiers!=null){ + for(Identifier item : this.identifiers){ + item.toXml(root); + } + } + if(this.creators!=null){ + Element creators = doc.createElement("creators"); + root.appendChild(creators); + for(Creator item : this.creators){ + item.toXml(creators); + } + } + if(this.titles!=null || this.alternativeTitles!=null){ + Element titles = doc.createElement("titles"); + root.appendChild(titles); + if(this.titles!=null) { + for (String item : this.titles) { + Element title = doc.createElement("title"); + titles.appendChild(title); + title.appendChild(doc.createTextNode(item)); + } + } + if(this.alternativeTitles!=null) { + for (String item : this.alternativeTitles) { + Element title = doc.createElement("title"); + titles.appendChild(title); + title.setAttribute("titleType", "AlternativeTitle"); + title.appendChild(doc.createTextNode(item)); + } + } + } + if(this.publishers!=null){ + for(String item : this.publishers){ + Element publisher = doc.createElement("publisher"); + root.appendChild(publisher); + publisher.appendChild(doc.createTextNode(item)); + } + } + if(this.publicationDates!=null){ + for(LocalDate item : this.publicationDates){ + Element publicationYear = doc.createElement("publicationYear"); + root.appendChild(publicationYear); + publicationYear.appendChild(doc.createTextNode(Integer.toString(item.getYear()))); + } + } + if(this.subjects!=null){ + Element subjects = doc.createElement("subjects"); + root.appendChild(subjects); + for(String item : this.subjects){ + Element subject = doc.createElement("subject"); + subjects.appendChild(subject); + subject.appendChild(doc.createTextNode(item)); + } + } + if(this.contributors!=null){ + for(Contributor item : this.contributors){ + item.toXml(root); + } + } + if(this.createdDates!=null || this.updatedDates!=null){ + Element dates = doc.createElement("dates"); + root.appendChild(dates); + + DateTimeFormatter formatter = DateTimeFormatter.ofPattern("YYYY-MM-DD"); + + if(createdDates!=null) { + for (LocalDate item : this.createdDates) { + Element date = doc.createElement("date"); + root.appendChild(date); + date.setAttribute("dateType", "Created"); + date.appendChild(doc.createTextNode(item.format(formatter))); + } + } + if(updatedDates!=null) { + for (LocalDate item : this.updatedDates) { + Element date = doc.createElement("date"); + root.appendChild(date); + date.setAttribute("dateType", "Updated"); + date.appendChild(doc.createTextNode(item.format(formatter))); + } + } + } + if(this.languages!=null){ + for(String item : this.languages){ + Element language = doc.createElement("language"); + root.appendChild(language); + language.appendChild(doc.createTextNode(item)); + } + } + if(this.resourceTypes!=null){ + for(ResourceType item : this.resourceTypes){ + item.toXml(root); + } + } + if(this.alternateIdentifier!=null){ + Element alternateIdentifiers = doc.createElement("alternateIdentifiers"); + root.appendChild(alternateIdentifiers); + for(AlternateIdentifier item : this.alternateIdentifier){ + item.toXml(alternateIdentifiers); + } + } + if(this.citations!=null){ + for(Citation item : this.citations){ + item.toXml(root); + } + } + if(this.sizes!=null){ + Element sizes = doc.createElement("sizes"); + root.appendChild(sizes); + for(String item : this.sizes){ + Element size = doc.createElement("size"); + sizes.appendChild(size); + size.appendChild(doc.createTextNode(item)); + } + } + if(this.format!=null){ + Element formats = doc.createElement("formats"); + root.appendChild(formats); + for(String item : this.format){ + Element format = doc.createElement("format"); + formats.appendChild(format); + format.appendChild(doc.createTextNode(item)); + } + } + if(this.version!=null){ + for(String item : this.version){ + Element version = doc.createElement("version"); + root.appendChild(version); + version.appendChild(doc.createTextNode(item)); + } + } + if(this.licenses!=null){ + Element rightsList = doc.createElement("rightsList"); + root.appendChild(rightsList); + for(License item : this.licenses){ + item.toXml(rightsList); + } + } + if(this.descriptions!=null || this.disambiguatingDescriptions!=null){ + Element descriptions = doc.createElement("descriptions"); + root.appendChild(descriptions); + if(this.descriptions!=null) { + for (String item : this.descriptions) { + Element description = doc.createElement("description"); + descriptions.appendChild(description); + description.setAttribute("descriptionType", "Abstract"); + description.appendChild(doc.createTextNode(item)); + } + } + if(this.disambiguatingDescriptions!=null) { + for (String item : this.disambiguatingDescriptions) { + Element description = doc.createElement("description"); + descriptions.appendChild(description); + description.setAttribute("descriptionType", "Other"); + description.appendChild(doc.createTextNode(item)); + } + } + } + if(this.geoLocations!=null){ + Element geoLocations = doc.createElement("geoLocations"); + root.appendChild(geoLocations); + for(SpatialCoverage item : this.geoLocations){ + item.toXml(geoLocations); + } + } + + TransformerFactory tf = TransformerFactory.newInstance(); + Transformer transformer = tf.newTransformer(); + StringWriter writer = new StringWriter(); + transformer.transform(new DOMSource(doc), new StreamResult(writer)); + String xml = writer.getBuffer().toString(); + return xml; + } + + public static class SpatialCoverage{ + public static class Point{ + public String latitude; + public String longitude; + + public Point() {} + + public Point(String latitude, String longitude){ + this.latitude = latitude; + this.longitude = longitude; + } + } + public String name; + public List points; + public List boxes; + + public SpatialCoverage() {} + + public SpatialCoverage(String name, List points, List boxes ) { + this.name = name; + this.points = points; + this.boxes = boxes; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("geoLocation"); + parent.appendChild(node); + + if(this.points!=null) { + for(Point point : this.points) { + if(point.latitude == null || point.longitude == null) continue; + Element geoLocationPoint = parent.getOwnerDocument().createElement("geoLocationPoint"); + geoLocationPoint.appendChild(parent.getOwnerDocument().createTextNode(String.format("%s %s", point.latitude, point.longitude))); + node.appendChild(geoLocationPoint); + } + } + if(this.boxes!=null) { + for(String box : this.boxes) { + if(box == null) continue; + Element geoLocationBox = parent.getOwnerDocument().createElement("geoLocationBox"); + geoLocationBox.appendChild(parent.getOwnerDocument().createTextNode(box)); + node.appendChild(geoLocationBox); + } + } + if(this.name!=null) { + Element geoLocationPlace = parent.getOwnerDocument().createElement("geoLocationPlace"); + geoLocationPlace.appendChild(parent.getOwnerDocument().createTextNode(this.name)); + node.appendChild(geoLocationPlace); + } + } + } + + public static class License{ + public String name; + public String url; + + public License() {} + + public License(String name, String url) { + this.name = name; + this.url = url; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("rights"); + parent.appendChild(node); + + if(this.url!=null) { + node.setAttribute("rightsURI", this.url); + } + if(this.name!=null) { + node.appendChild(parent.getOwnerDocument().createTextNode(this.name)); + } + } + } + + public static class Citation{ + public enum CitationIdentifierType{ + ARK, arXiv, bibcode, DOI, EAN13, EISSN, Handle, ISBN, ISSN, ISTC, LISSN, LSID, PMID, + PURL, UPC, URL, URN + } + + public CitationIdentifierType type; + public String value; + + public Citation() {} + + public Citation(String value, CitationIdentifierType type) { + this.value = value; + this.type = type; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("relatedIdentifier"); + parent.appendChild(node); + + node.setAttribute("relatedIdentifierType", this.type.toString()); + node.setAttribute("relationType", "Cites"); + node.appendChild(parent.getOwnerDocument().createTextNode(this.value)); + } + } + + public static class Contributor{ + public enum ContributorType{ + ContactPerson, DataCollector, DataCurator, DataManager, Distributor, Editor, Funder, HostingInstitution, + Producer, ProjectLeader, ProjectManager, ProjectMember, RegistrationAgency, RegistrationAuthority, + RelatedPerson, Researcher, ResearchGroup, RightsHolder, Sponsor, Supervisor, WorkPackageLeader, Other + } + + public String name; + public List affiliations; + public ContributorType type; + + public Contributor() { + } + + public Contributor(String name) { + this.name = name; + } + + public Contributor(String name, List affiliations) { + this.name = name; + this.affiliations = affiliations; + } + + public Contributor(String name, List affiliations, ContributorType type) { + this.name = name; + this.affiliations = affiliations; + this.type = type; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("contributor"); + parent.appendChild(node); + + node.setAttribute("contributorType", this.type.toString()); + + if(this.name!=null) { + Element contributorName = parent.getOwnerDocument().createElement("contributorName"); + node.appendChild(contributorName); + contributorName.appendChild(parent.getOwnerDocument().createTextNode(this.name)); + } + if(this.affiliations!=null) { + for(String item : this.affiliations) { + Element affiliation = parent.getOwnerDocument().createElement("affiliation"); + node.appendChild(affiliation); + affiliation.appendChild(parent.getOwnerDocument().createTextNode(item)); + } + } + } + } + + public static class AlternateIdentifier{ + public String identifier; + public String type; + + public AlternateIdentifier() {} + + public AlternateIdentifier(String identifier, String type) { + this.identifier = identifier; + this.type = type; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("alternateIdentifier"); + parent.appendChild(node); + + if(this.type!=null) { + node.setAttribute("alternateIdentifierType", this.type); + } + if(this.identifier!=null) { + node.appendChild(parent.getOwnerDocument().createTextNode(this.identifier)); + } + } + } + + public static class ResourceType{ + public enum ResourceTypeGeneralType { + Audiovisual, Collection, Dataset, Event, Image, InteractiveResource, Model, PhysicalObject, Service, + Software, Sound, Text, Workflow, Other + } + + public ResourceTypeGeneralType type; + + public ResourceType() {} + + public ResourceType(ResourceTypeGeneralType type) { + this.type = type; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("resourceType"); + parent.appendChild(node); + + if(this.type!=null) { + node.setAttribute("resourceTypeGeneral", this.type.toString()); + } + } + } + + public static class Creator { + public String name; + public List affiliations; + + public Creator() { + } + + public Creator(String name) { + this.name = name; + } + + public Creator(String name, List affiliations) { + this.name = name; + this.affiliations = affiliations; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("creator"); + parent.appendChild(node); + + if(this.name!=null) { + Element creatorName = parent.getOwnerDocument().createElement("creatorName"); + node.appendChild(creatorName); + creatorName.appendChild(parent.getOwnerDocument().createTextNode(this.name)); + } + if(this.affiliations!=null) { + for(String item : this.affiliations) { + Element affiliation = parent.getOwnerDocument().createElement("affiliation"); + node.appendChild(affiliation); + affiliation.appendChild(parent.getOwnerDocument().createTextNode(item)); + } + } + } + } + + public static class Identifier { + public enum IdentifierType { + ARK, DOI, Handle, PURL, URN, URL + } + + public String value; + public IdentifierType type; + + public Identifier() { + } + + public Identifier(IdentifierType type, String value) { + this.type = type; + this.value = value; + } + + public void toXml(Element parent){ + Element node = parent.getOwnerDocument().createElement("identifier"); + parent.appendChild(node); + + node.setAttribute("identifierType", this.type.toString()); + if(this.value!=null) { + node.appendChild(parent.getOwnerDocument().createTextNode(this.value)); + } + } + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/DatasetMappingIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/DatasetMappingIterator.java new file mode 100644 index 0000000..d49685f --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/DatasetMappingIterator.java @@ -0,0 +1,514 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.json.JSONObject; + +import java.net.URL; +import java.time.LocalDate; +import java.time.format.DateTimeFormatter; +import java.util.*; + +public class DatasetMappingIterator implements Iterator { + private static final Log log = LogFactory.getLog(EndpointAccessIterator.class); + + public static class Options { + public static class IdentifierOptions{ + public List mappingARK; + public List mappingDOI; + public List mappingHandle; + public List mappingPURL; + public List mappingURN; + public List mappingURL; + public DatasetDocument.Identifier.IdentifierType fallbackType; + public Boolean fallbackURL; + } + + public static class ContributorOptions{ + public DatasetDocument.Contributor.ContributorType fallbackType; + } + + public static class PublicationDateOptions{ + public String format; + } + + public static class CreatedDateOptions{ + public String format; + } + + public static class UpdatedDateOptions{ + public String format; + } + + private IdentifierOptions identifierOptions; + private PublicationDateOptions publicationDateOptions; + private ContributorOptions contributorOptions; + private CreatedDateOptions createdDateOptions; + private UpdatedDateOptions updatedDateOptions; + + public UpdatedDateOptions getUpdatedDateOptions() { + return updatedDateOptions; + } + + public void setUpdatedDateOptions(UpdatedDateOptions updatedDateOptions) { + this.updatedDateOptions = updatedDateOptions; + } + + public CreatedDateOptions getCreatedDateOptions() { + return createdDateOptions; + } + + public void setCreatedDateOptions(CreatedDateOptions createdDateOptions) { + this.createdDateOptions = createdDateOptions; + } + + public ContributorOptions getContributorOptions() { + return contributorOptions; + } + + public void setContributorOptions(ContributorOptions contributorOptions) { + this.contributorOptions = contributorOptions; + } + + public PublicationDateOptions getPublicationDateOptions() { + return publicationDateOptions; + } + + public void setPublicationDateOptions(PublicationDateOptions publicationDateOptions) { + this.publicationDateOptions = publicationDateOptions; + } + + public IdentifierOptions getIdentifierOptions() { + return identifierOptions; + } + + public void setIdentifierOptions(IdentifierOptions identifierOptions) { + this.identifierOptions = identifierOptions; + } + } + + private Options options; + private EndpointAccessIterator endpointAccessIterator; + + public DatasetMappingIterator(Options options, EndpointAccessIterator endpointAccessIterator) { + this.options = options; + this.endpointAccessIterator = endpointAccessIterator; + } + + @Override + public boolean hasNext() { + return this.endpointAccessIterator.hasNext(); + } + + @Override + public String next() { + JSONObject document = this.endpointAccessIterator.next(); + String xml = null; + if (document == null) { + log.debug("no document provided to process. returning empty"); + xml = DatasetDocument.emptyXml(); + } + else { + log.debug("building document"); + xml = this.buildDataset(document); + if (!Utils.validateXml(xml)) { + log.debug("xml not valid. setting to empty"); + xml = null; + } + if (xml == null) { + log.debug("could not build xml. returning empty"); + xml = DatasetDocument.emptyXml(); + } + } + + //if all else fails + if(xml == null){ + log.debug("could not build xml. returning empty"); + xml = ""; + } + + log.debug("xml document for dataset is: "+xml); + + return xml; + } + + private String buildDataset(JSONObject document){ + String xml = null; + try{ + DatasetDocument dataset = new DatasetDocument(); + + dataset.setIdentifiers(this.extractIdentifier(document)); + dataset.setCreators(this.extractCreator(document)); + dataset.setTitles(this.extractTitles(document)); + dataset.setAlternativeTitles(this.extractAlternateTitles(document)); + dataset.setPublishers(this.extractPublisher(document)); + dataset.setPublicationDates(this.extractPublicationDate(document)); + dataset.setSubjects(this.extractSubjects(document)); + dataset.setContributors(this.extractContributors(document)); + dataset.setCreatedDates(this.extractCreatedDate(document)); + dataset.setUpdatedDates(this.extractUpdatedDate(document)); + dataset.setLanguages(this.extractLanguages(document)); + dataset.setResourceTypes(this.extractResourceTypes(document)); + dataset.setAlternateIdentifier(this.extractAlternateIdentifiers(document)); + dataset.setCitations(this.extractCitations(document)); + dataset.setSizes(this.extractSize(document)); + dataset.setFormat(this.extractEncodingFormat(document)); + dataset.setVersion(this.extractVersion(document)); + dataset.setLicenses(this.extractLicense(document)); + dataset.setDescriptions(this.extractDescription(document)); + dataset.setDisambiguatingDescriptions(this.extractDisambiguatingDescription(document)); + dataset.setGeoLocations(this.extractSpatialCoverage(document)); + + log.debug("document contains native identifier: : "+(dataset.getIdentifiers()!=null && dataset.getIdentifiers().size() > 0)); + + if((dataset.getIdentifiers() == null || dataset.getIdentifiers().size() == 0) && + this.options.getIdentifierOptions().fallbackURL){ + log.debug("falling back to url identifier"); + dataset.setIdentifiers(this.extractIdentifierFallbackURL(document)); + log.debug("document contains overridden identifier: : "+(dataset.getIdentifiers()!=null && dataset.getIdentifiers().size() > 0)); + } + + xml = dataset.toXml(); + } + catch(Exception ex){ + log.error("problem constructing dataset xml. returning empty", ex); + xml = null; + } + return xml; + } + + private List extractIdentifierFallbackURL(JSONObject document){ + List urls = JSONLDUtils.extractString(document, "url"); + + ArrayList curated = new ArrayList<>(); + for(String item : urls){ + if(item == null || item.trim().length() == 0) continue; + curated.add(new DatasetDocument.Identifier(DatasetDocument.Identifier.IdentifierType.URL, item.trim())); + } + return curated; + } + + private List extractSpatialCoverage(JSONObject document){ + List spatials = JSONLDUtils.extractPlaces(document, "spatialCoverage"); + + ArrayList curated = new ArrayList<>(); + for(JSONLDUtils.PlaceInfo item : spatials){ + if((item.name == null || item.name.trim().length() == 0) && + (item.geoCoordinates == null || item.geoCoordinates.size() == 0) && + (item.geoShapes == null || item.geoShapes.size() == 0)) continue; + + List points = new ArrayList<>(); + List boxes = new ArrayList<>(); + if(item.geoCoordinates!=null) { + for (JSONLDUtils.GeoCoordinatesInfo iter : item.geoCoordinates){ + points.add(new DatasetDocument.SpatialCoverage.Point(iter.latitude, iter.longitude)); + } + } + if(item.geoShapes!=null) { + for (JSONLDUtils.GeoShapeInfo iter : item.geoShapes){ + boxes.add(iter.box); + } + } + curated.add(new DatasetDocument.SpatialCoverage(item.name, points, boxes)); + } + return curated; + } + + private List extractDescription(JSONObject document){ + List descriptions = JSONLDUtils.extractString(document, "description"); + + ArrayList curated = new ArrayList<>(); + for(String item : descriptions){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return curated; + } + + private List extractDisambiguatingDescription(JSONObject document){ + List descriptions = JSONLDUtils.extractString(document, "disambiguatingDescription"); + + ArrayList curated = new ArrayList<>(); + for(String item : descriptions){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return curated; + } + + private List extractLicense(JSONObject document){ + List licenses = JSONLDUtils.extractLicenses(document, "license"); + + ArrayList curated = new ArrayList<>(); + for(JSONLDUtils.LicenseInfo item : licenses){ + if(item.url == null || item.url.trim().length() == 0) continue; + curated.add(new DatasetDocument.License(item.name, item.url)); + } + return curated; + } + + private List extractVersion(JSONObject document){ + List versions = JSONLDUtils.extractString(document, "version"); + + ArrayList curated = new ArrayList<>(); + for(String item : versions){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return curated; + } + + private List extractSize(JSONObject document) { + List sizes = JSONLDUtils.extractSize(document, "distribution"); + + HashSet curated = new HashSet<>(); + for (String item : sizes) { + if (item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return new ArrayList<>(curated); + } + + private List extractEncodingFormat(JSONObject document){ + List formats = JSONLDUtils.extractEncodingFormat(document, "distribution"); + + HashSet curated = new HashSet<>(); + for(String item : formats){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return new ArrayList<>(curated); + } + + //TODO: Handle different citation types. Currently only urls + private List extractCitations(JSONObject document){ + List citations = JSONLDUtils.extractCitations(document, "citation"); + + ArrayList curated = new ArrayList<>(); + for(JSONLDUtils.CitationInfo item : citations){ + if(item.url == null || item.url.trim().length() == 0) continue; + try{ + new URL(item.url); + }catch (Exception ex){ + continue; + } + curated.add(new DatasetDocument.Citation(item.url, DatasetDocument.Citation.CitationIdentifierType.URL)); + } + return curated; + } + + private List extractAlternateIdentifiers(JSONObject document){ + List issns = JSONLDUtils.extractString(document, "issn"); + List urls = JSONLDUtils.extractString(document, "url"); + + ArrayList curated = new ArrayList<>(); + for(String item : issns){ + if(item == null || item.trim().length() == 0) continue; + curated.add(new DatasetDocument.AlternateIdentifier(item.trim(), "ISSN")); + } + for(String item : urls){ + if(item == null || item.trim().length() == 0) continue; + curated.add(new DatasetDocument.AlternateIdentifier(item.trim(), "URL")); + } + return curated; + } + + private List extractResourceTypes(JSONObject document){ + List resourceTypes = new ArrayList<>(); + resourceTypes.add(new DatasetDocument.ResourceType(DatasetDocument.ResourceType.ResourceTypeGeneralType.Dataset)); + return resourceTypes; + } + + private List extractLanguages(JSONObject document){ + List languages = JSONLDUtils.extractLanguage(document, "inLanguage"); + + ArrayList curated = new ArrayList<>(); + for(String item : languages){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return curated; + } + + private List extractUpdatedDate(JSONObject document){ + List updatedDates = new ArrayList<>(); + if(this.options.getUpdatedDateOptions() == null || this.options.getUpdatedDateOptions().format == null || this.options.getUpdatedDateOptions().format.length() == 0) return updatedDates; + + DateTimeFormatter formatter = DateTimeFormatter.ofPattern(this.options.getPublicationDateOptions().format); + + List dates = JSONLDUtils.extractString(document, "dateModified"); + for(String updatedDate : dates){ + if(updatedDate == null || updatedDate.trim().length() == 0) continue; + try { + LocalDate localDate = LocalDate.parse(updatedDate, formatter); + updatedDates.add(localDate); + } catch (Exception e) { + continue; + } + } + return updatedDates; + } + + private List extractCreatedDate(JSONObject document){ + List createdDates = new ArrayList<>(); + if(this.options.getCreatedDateOptions() == null || this.options.getCreatedDateOptions().format == null || this.options.getCreatedDateOptions().format.length() == 0) return createdDates; + + DateTimeFormatter formatter = DateTimeFormatter.ofPattern(this.options.getCreatedDateOptions().format); + + List dates = JSONLDUtils.extractString(document, "dateCreated"); + for(String createdDate : dates){ + if(createdDate == null || createdDate.trim().length() == 0) continue; + try { + LocalDate localDate = LocalDate.parse(createdDate, formatter); + createdDates.add(localDate); + } catch (Exception e) { + continue; + } + } + return createdDates; + } + + private List extractContributors(JSONObject document){ + List editors = JSONLDUtils.extractPrincipal(document, "editor"); + List funders = JSONLDUtils.extractPrincipal(document, "funder"); + List producers = JSONLDUtils.extractPrincipal(document, "producer"); + List sponsors = JSONLDUtils.extractPrincipal(document, "sponsor"); + List constributors = JSONLDUtils.extractPrincipal(document, "contributor"); + + ArrayList curated = new ArrayList<>(); + for(JSONLDUtils.PrincipalInfo item : editors){ + if(item.name() == null || item.name().trim().length() == 0) continue; + curated.add(new DatasetDocument.Contributor(item.name(), item.affiliationNames(), DatasetDocument.Contributor.ContributorType.Editor)); + } + for(JSONLDUtils.PrincipalInfo item : funders){ + if(item.name() == null || item.name().trim().length() == 0) continue; + curated.add(new DatasetDocument.Contributor(item.name(), item.affiliationNames(), DatasetDocument.Contributor.ContributorType.Funder)); + } + for(JSONLDUtils.PrincipalInfo item : producers){ + if(item.name() == null || item.name().trim().length() == 0) continue; + curated.add(new DatasetDocument.Contributor(item.name(), item.affiliationNames(), DatasetDocument.Contributor.ContributorType.Producer)); + } + for(JSONLDUtils.PrincipalInfo item : sponsors){ + if(item.name() == null || item.name().trim().length() == 0) continue; + curated.add(new DatasetDocument.Contributor(item.name(), item.affiliationNames(), DatasetDocument.Contributor.ContributorType.Sponsor)); + } + for(JSONLDUtils.PrincipalInfo item : constributors){ + if(item.name() == null || item.name().trim().length() == 0) continue; + DatasetDocument.Contributor.ContributorType type = DatasetDocument.Contributor.ContributorType.Other; + if(this.options.getContributorOptions()!=null && this.options.getContributorOptions().fallbackType != null) type = this.options.getContributorOptions().fallbackType; + curated.add(new DatasetDocument.Contributor(item.name(), item.affiliationNames(), type)); + } + return curated; + } + + private List extractSubjects(JSONObject document){ + List subjects = JSONLDUtils.extractString(document, "keywords"); + + ArrayList curated = new ArrayList<>(); + for(String item : subjects){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item); + } + return curated; + } + + private List extractPublicationDate(JSONObject document){ + List publicationDates = new ArrayList<>(); + if(this.options.getPublicationDateOptions() == null || this.options.getPublicationDateOptions().format == null || this.options.getPublicationDateOptions().format.length() == 0) return publicationDates; + + DateTimeFormatter formatter = DateTimeFormatter.ofPattern(this.options.getPublicationDateOptions().format); + + List dates = JSONLDUtils.extractString(document, "datePublished"); + for(String publicationDate : dates){ + if(publicationDate == null || publicationDate.trim().length() == 0) continue; + try { + LocalDate localDate = LocalDate.parse(publicationDate, formatter); + publicationDates.add(localDate); + } catch (Exception e) { + continue; + } + } + return publicationDates; + } + + private List extractPublisher(JSONObject document){ + List publishers = JSONLDUtils.extractPrincipal(document, "publisher"); + + ArrayList curated = new ArrayList<>(); + for(JSONLDUtils.PrincipalInfo item : publishers){ + if(item.name() == null || item.name().trim().length() == 0) continue; + curated.add(item.name()); + } + return curated; + } + + private List extractTitles(JSONObject document){ + List names = JSONLDUtils.extractString(document, "name"); + List headlines = JSONLDUtils.extractString(document, "headline"); + + HashSet titles = new HashSet<>(); + titles.addAll(names); + titles.addAll(headlines); + return new ArrayList<>(titles); + } + + private List extractAlternateTitles(JSONObject document){ + List names = JSONLDUtils.extractString(document, "alternateName"); + List headlines = JSONLDUtils.extractString(document, "alternativeHeadline"); + + HashSet titles = new HashSet<>(); + titles.addAll(names); + titles.addAll(headlines); + return new ArrayList<>(titles); + } + + private List extractIdentifier(JSONObject document){ + List curated = new ArrayList<>(); + + List identifiers = JSONLDUtils.extractIdentifier(document, "identifier"); + + for(JSONLDUtils.IdentifierInfo item : identifiers){ + if(item.value == null || item.value.trim().length() == 0) continue; + if(item.type == null || item.type.trim().length() == 0) { + if (this.options.getIdentifierOptions().fallbackType == null) continue; + curated.add(new DatasetDocument.Identifier(this.options.getIdentifierOptions().fallbackType, item.value.trim())); + } + else { + DatasetDocument.Identifier.IdentifierType type = null; + if(this.options.getIdentifierOptions().mappingARK != null && this.options.getIdentifierOptions().mappingARK.contains(item.type.trim())) type = DatasetDocument.Identifier.IdentifierType.ARK; + else if(this.options.getIdentifierOptions().mappingDOI != null && this.options.getIdentifierOptions().mappingDOI.contains(item.type.trim())) type = DatasetDocument.Identifier.IdentifierType.DOI; + else if(this.options.getIdentifierOptions().mappingHandle != null && this.options.getIdentifierOptions().mappingHandle.contains(item.type.trim())) type = DatasetDocument.Identifier.IdentifierType.Handle; + else if(this.options.getIdentifierOptions().mappingPURL != null && this.options.getIdentifierOptions().mappingPURL.contains(item.type.trim())) type = DatasetDocument.Identifier.IdentifierType.PURL; + else if(this.options.getIdentifierOptions().mappingURL != null && this.options.getIdentifierOptions().mappingURL.contains(item.type.trim())) type = DatasetDocument.Identifier.IdentifierType.URL; + else if(this.options.getIdentifierOptions().mappingURN != null && this.options.getIdentifierOptions().mappingURN.contains(item.type.trim())) type = DatasetDocument.Identifier.IdentifierType.URN; + + if(type == null) continue; + curated.add(new DatasetDocument.Identifier(type, item.value.trim())); + } + } + return curated; + } + + private List extractCreator(JSONObject document){ + List creators = JSONLDUtils.extractPrincipal(document, "creator"); + List authors = JSONLDUtils.extractPrincipal(document, "author"); + + HashSet foundNames = new HashSet<>(); + List curated = new ArrayList<>(); + for(JSONLDUtils.PrincipalInfo item : creators){ + if(item.name() == null || item.name().trim().length() == 0) continue; + if(foundNames.contains(item.name())) continue; + foundNames.add(item.name()); + curated.add(new DatasetDocument.Creator(item.name(), item.affiliationNames())); + } + for(JSONLDUtils.PrincipalInfo item : authors){ + if(item.name() == null || item.name().trim().length() == 0) continue; + if(foundNames.contains(item.name())) continue; + foundNames.add(item.name()); + + curated.add(new DatasetDocument.Creator(item.name(), item.affiliationNames())); + } + return curated; + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/EndpointAccessIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/EndpointAccessIterator.java new file mode 100644 index 0000000..c369654 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/EndpointAccessIterator.java @@ -0,0 +1,106 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.json.JSONObject; +import org.jsoup.Jsoup; +import org.jsoup.nodes.Document; +import org.jsoup.nodes.Element; +import org.jsoup.select.Elements; + +import java.net.URL; +import java.nio.charset.Charset; +import java.util.Iterator; + +public class EndpointAccessIterator implements Iterator { + private static final Log log = LogFactory.getLog(EndpointAccessIterator.class); + + public static class Options { + + private Charset charset; + + public Options(){} + + public Options(Charset charset) { + this.charset = charset; + } + + public Charset getCharset() { + return charset; + } + + public void setCharset(Charset charset) { + this.charset = charset; + } + } + + private Options options; + private Iterator repositoryIterator; + + public EndpointAccessIterator(Options options, Iterator repositoryIterator) { + this.options = options; + this.repositoryIterator = repositoryIterator; + } + + @Override + public boolean hasNext() { + return this.repositoryIterator.hasNext(); + } + + @Override + public JSONObject next() { + String endpoint = this.repositoryIterator.next(); + if(endpoint == null) return null; + + log.debug(String.format("processing: %s", endpoint)); + + JSONObject dataset = this.extractDatasetRecord(endpoint); + + return dataset; + } + + private JSONObject extractDatasetRecord(String endpoint) { + JSONObject datasetDocument = null; + try { + URL urlEndpoint = new URL(endpoint); + log.debug("downloading endpoint "+urlEndpoint); + String payload = Utils.RemoteAccessWithRetry(3, 5000, urlEndpoint, this.options.getCharset()); + + log.trace("downloaded payload id: "+payload); + Document doc = Jsoup.parse(payload); + Elements scriptTags = doc.getElementsByTag("script"); + for (Element scriptTag : scriptTags) { + if (!scriptTag.hasAttr("type")) continue; + String scriptType = scriptTag.attr("type"); + if (!scriptType.equalsIgnoreCase("application/ld+json")) continue; + + String data = scriptTag.data(); + JSONObject schemaItem = new JSONObject(data); + String context = schemaItem.optString("@context"); + String type = schemaItem.optString("@type"); + + if (context == null || type == null) continue; + + Boolean isSchemaOrgContext = context.toLowerCase().startsWith("http://schema.org") || context.toLowerCase().startsWith("https://schema.org"); + Boolean isDataset = type.equalsIgnoreCase("dataset"); + + if (!isSchemaOrgContext || !isDataset) continue; + + log.debug(String.format("discovered dataset document: %s", schemaItem.toString())); + + datasetDocument = schemaItem; + break; + } + }catch(Exception ex){ + log.error("problem extracting dataset document. returning empty", ex); + datasetDocument = null; + } + if(datasetDocument == null){ + log.debug("did not find any dataset document in endpoint"); + } + else{ + log.debug("found dataset document in endpoint :"+datasetDocument.toString()); + } + return datasetDocument; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/JSONLDUtils.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/JSONLDUtils.java new file mode 100644 index 0000000..abd19ee --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/JSONLDUtils.java @@ -0,0 +1,515 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.json.JSONArray; +import org.json.JSONObject; + +import java.util.ArrayList; +import java.util.List; + +public class JSONLDUtils { + + public interface PrincipalInfo{ + String name(); + List affiliationNames(); + + } + + public static class OrganizationInfo implements PrincipalInfo{ + public String name; + + public String name(){return this.name;} + + public List affiliationNames(){ + return null; + } + + public OrganizationInfo(){} + + public OrganizationInfo(String name){ + this.name = name; + } + } + + public static class PersonInfo implements PrincipalInfo{ + public String name; + public List affiliations; + + public String name(){return this.name;} + + public List affiliationNames(){ + if(this.affiliations == null) return null; + List curated = new ArrayList<>(); + for(OrganizationInfo item : this.affiliations){ + if(item == null || item.name == null || item.name.trim().length() == 0) continue;; + curated.add(item.name.trim()); + } + return curated; + } + + public PersonInfo(){} + + public PersonInfo(String name){ + this.name = name; + } + + public PersonInfo(String name, List affiliations){ + this.name = name; + this.affiliations = affiliations; + } + } + + public static class LicenseInfo{ + public String name; + public String url; + + public LicenseInfo(){} + + public LicenseInfo(String url){ + this.url = url; + } + + public LicenseInfo(String url, String name){ + this.name = name; + this.url = url; + } + } + + public static class CitationInfo{ + public String url; + + public CitationInfo(){} + + public CitationInfo(String url){ + this.url = url; + } + } + + public static class IdentifierInfo{ + public String value; + public String type; + + public IdentifierInfo(){} + + public IdentifierInfo(String value){ + this.value = value; + } + + public IdentifierInfo(String value, String type){ + this.value = value; + this.type = type; + } + } + + public static class GeoCoordinatesInfo{ + public String latitude; + public String longitude; + + public GeoCoordinatesInfo(){} + + public GeoCoordinatesInfo(String latitude, String longitude){ + this.latitude = latitude; + this.longitude = longitude; + } + } + + public static class GeoShapeInfo{ + public String box; + + public GeoShapeInfo(){} + + public GeoShapeInfo(String box){ + this.box = box; + } + } + + public static class PlaceInfo{ + public String name; + public List geoCoordinates; + public List geoShapes; + + public PlaceInfo(){} + + public PlaceInfo(String name, List geoCoordinates, List geoShapes){ + this.name = name; + this.geoCoordinates = geoCoordinates; + this.geoShapes = geoShapes; + } + } + + private static PlaceInfo extractPlaceSingle(JSONObject document){ + if(document == null || !"Place".equals(document.optString("@type"))) return null; + String name = document.optString("name"); + List geoCoordinates = JSONLDUtils.extractGeoCoordinates(document, "geo"); + List geoShapes = JSONLDUtils.extractGeoShapes(document, "geo"); + if((name==null || name.trim().length() == 0) && + (geoCoordinates == null || geoCoordinates.size() == 0) && + (geoShapes == null || geoShapes.size() == 0)) return null; + return new PlaceInfo(name, geoCoordinates, geoShapes); + } + + public static List extractPlaces(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + PlaceInfo nfo = JSONLDUtils.extractPlaceSingle(array.optJSONObject(i)); + if(nfo!=null) items.add(nfo); + } + }else if (obj!=null) { + PlaceInfo nfo = JSONLDUtils.extractPlaceSingle(obj); + if(nfo!=null) items.add(nfo); + } + + return items; + } + + private static GeoCoordinatesInfo extractGeoCoordinatesSingle(JSONObject document){ + if(document == null || !"GeoCoordinates".equals(document.optString("@type"))) return null; + String latitude = document.optString("latitude"); + String longitude = document.optString("longitude"); + if(latitude==null || latitude.trim().length()==0 || longitude==null || longitude.trim().length()==0) return null; + return new GeoCoordinatesInfo(latitude, longitude); + } + + private static List extractGeoCoordinates(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + GeoCoordinatesInfo nfo = JSONLDUtils.extractGeoCoordinatesSingle(array.optJSONObject(i)); + if(nfo!=null) items.add(nfo); + } + }else if (obj!=null) { + GeoCoordinatesInfo nfo = JSONLDUtils.extractGeoCoordinatesSingle(obj); + if(nfo!=null) items.add(nfo); + } + + return items; + } + + private static GeoShapeInfo extractGeoShapeSingle(JSONObject document){ + if(document == null || !"GeoShape".equals(document.optString("@type"))) return null; + String box = document.optString("box"); + if(box==null || box.trim().length()==0 ) return null; + return new GeoShapeInfo(box); + } + + private static List extractGeoShapes(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + GeoShapeInfo nfo = JSONLDUtils.extractGeoShapeSingle(array.optJSONObject(i)); + if(nfo!=null) items.add(nfo); + } + }else if (obj!=null) { + GeoShapeInfo nfo = JSONLDUtils.extractGeoShapeSingle(obj); + if(nfo!=null) items.add(nfo); + } + + return items; + } + + private static OrganizationInfo extractOrganizationSingle(JSONObject document){ + if(document == null || !"Organization".equals(document.optString("@type"))) return null; + String name = document.optString("name"); + if(name==null || name.trim().length()==0) return null; + return new OrganizationInfo(name); + } + + private static List extractOrganization(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + OrganizationInfo nfo = JSONLDUtils.extractOrganizationSingle(array.optJSONObject(i)); + if(nfo!=null) items.add(nfo); + } + }else if (obj!=null) { + OrganizationInfo nfo = JSONLDUtils.extractOrganizationSingle(obj); + if(nfo!=null) items.add(nfo); + } + + return items; + } + + private static PersonInfo extractPersonSingle(JSONObject document) { + if(document == null || !"Person".equals(document.optString("@type"))) return null; + String name = document.optString("name"); + String givenName = document.optString("givenName"); + String familyName = document.optString("familyName"); + if ((name == null || name.trim().length() == 0) && (givenName!=null || familyName !=null)) { + if(givenName !=null && familyName!=null) name = String.join(" ", familyName, givenName).trim(); + else if (givenName == null) name = familyName; + else if (familyName == null) name = givenName; + } + if(name==null || name.trim().length()==0) return null; + List affiliations = JSONLDUtils.extractOrganization(document, "affiliation"); + return new PersonInfo(name, affiliations); + } + + private static List extractPerson(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + PersonInfo nfo = JSONLDUtils.extractPersonSingle(array.optJSONObject(i)); + if(nfo!=null) items.add(nfo); + } + }else if (obj!=null) { + PersonInfo nfo = JSONLDUtils.extractPersonSingle(obj); + if(nfo!=null) items.add(nfo); + } else { + String value = document.optString(key); + if (value != null) items.add(new PersonInfo(value)); + } + + return items; + } + + public static PrincipalInfo extractPrincipalSingle(JSONObject document) { + PrincipalInfo principal = JSONLDUtils.extractPersonSingle(document); + if(principal == null) principal = JSONLDUtils.extractOrganizationSingle(document); + return principal; + } + + public static List extractPrincipal(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + PrincipalInfo nfo = JSONLDUtils.extractPrincipalSingle(array.optJSONObject(i)); + if(nfo!=null) items.add(nfo); + } + }else if (obj!=null) { + PrincipalInfo nfo = JSONLDUtils.extractPrincipalSingle(obj); + if(nfo!=null) items.add(nfo); + } else { + String value = document.optString(key); + if (value != null) items.add(new PersonInfo(value)); + } + + return items; + } + + public static List extractString(JSONObject document, String key){ + List items = new ArrayList<>(); + + if (!document.has(key)) return items; + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + JSONObject item = array.optJSONObject(i); + if(item != null) continue; + String value = array.optString(i); + if(value == null) continue; + items.add(value); + } + } else if (obj == null) { + String value = document.optString(key); + if(value != null) items.add(value); + } + + return items; + + } + + public static List extractSize(JSONObject document, String key){ + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + JSONObject item = array.optJSONObject(i); + if (item == null || !"DataDownload".equals((item.optString("@type")))) continue; + String size = item.optString("contentSize"); + if (size != null) items.add(size); + } + } else if (obj != null) { + String size = obj.optString("contentSize"); + if ("DataDownload".equals((obj.optString("@type"))) && size != null) { + items.add(size); + } + } + + return items; + } + + public static List extractEncodingFormat(JSONObject document, String key){ + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + JSONObject item = array.optJSONObject(i); + if (item == null || !"DataDownload".equals((item.optString("@type")))) continue; + String encodingFormat = item.optString("encodingFormat"); + if (encodingFormat != null) items.add(encodingFormat); + String fileFormat = item.optString("fileFormat"); + if (fileFormat != null) items.add(fileFormat); + } + } else if (obj != null) { + if ("DataDownload".equals((obj.optString("@type")))) { + String encodingFormat = obj.optString("encodingFormat"); + if (encodingFormat != null) items.add(encodingFormat); + String fileFormat = obj.optString("fileFormat"); + if (fileFormat != null) items.add(fileFormat); + } + } + + return items; + } + + public static List extractLanguage(JSONObject document, String key){ + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + JSONObject item = array.optJSONObject(i); + if (item == null) { + String value = array.optString(i); + if (value != null) items.add(value); + } else { + if (!"Language".equals((item.optString("@type")))) continue; + String name = item.optString("name"); + if (name != null) items.add(name); + String alternateName = item.optString("alternateName"); + if (alternateName != null) items.add(alternateName); + } + } + } else if (obj != null) { + if ("Language".equals((obj.optString("@type")))){ + String name = obj.optString("name"); + if (name != null) items.add(name); + String alternateName = obj.optString("alternateName"); + if (alternateName != null) items.add(alternateName); + } + } else { + String value = document.optString(key); + if (value != null) items.add(value); + } + + return items; + } + + public static List extractLicenses(JSONObject document, String key){ + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + JSONObject item = array.optJSONObject(i); + if (item == null) { + String value = array.optString(i); + if(value != null) items.add(new LicenseInfo(value)); + } else { + if (!"CreativeWork".equals((item.optString("@type")))) continue; + String url = item.optString("url"); + String name = item.optString("name"); + if (url != null || name != null) items.add(new LicenseInfo(url, name)); + } + } + } else if (obj != null) { + if("CreativeWork".equals((obj.optString("@type")))) { + String url = obj.optString("url"); + String name = obj.optString("name"); + if (url != null || name != null) items.add(new LicenseInfo(url, name)); + } + } else { + String value = document.optString(key); + if (value != null) items.add(new LicenseInfo(value)); + } + + return items; + } + + public static List extractCitations(JSONObject document, String key){ + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + JSONObject item = array.optJSONObject(i); + if (item == null) { + String value = array.optString(i); + if(value != null) items.add(new CitationInfo(value)); + } else { + if (!"CreativeWork".equals((item.optString("@type")))) continue; + String url = item.optString("url"); + if (url != null) items.add(new CitationInfo(url)); + } + } + } else if (obj != null) { + if("CreativeWork".equals((obj.optString("@type")))) { + String url = obj.optString("url"); + if (url != null) items.add(new CitationInfo(url)); + } + } else { + String value = document.optString(key); + if (value != null) items.add(new CitationInfo(value)); + } + + return items; + } + + private static IdentifierInfo extractIdentifierSingle(JSONObject document){ + if(document == null || !"PropertyValue".equals(document.optString("@type"))) return null; + String name = document.optString("name"); + String value = document.optString("value"); + if(value==null || value.trim().length()==0) return null; + return new IdentifierInfo(value, name); + } + + public static List extractIdentifier(JSONObject document, String key) { + List items = new ArrayList<>(); + + JSONArray array = document.optJSONArray(key); + JSONObject obj = document.optJSONObject(key); + + if (array != null) { + for (int i = 0; i < array.length(); i += 1) { + IdentifierInfo nfo = null; + if (array.optJSONObject(i) == null) { + String value = array.optString(i); + if (value != null) nfo = new IdentifierInfo(value); + } + if (nfo == null) nfo = JSONLDUtils.extractIdentifierSingle(array.optJSONObject(i)); + if (nfo != null) items.add(nfo); + } + }else if (obj!=null) { + IdentifierInfo nfo = JSONLDUtils.extractIdentifierSingle(obj); + if (nfo != null) items.add(nfo); + } else { + String value = document.optString(key); + if (value != null) items.add(new IdentifierInfo(value)); + } + + return items; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/RepositoryIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/RepositoryIterable.java new file mode 100644 index 0000000..7f8e7f8 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/RepositoryIterable.java @@ -0,0 +1,7 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import java.util.Iterator; + +public interface RepositoryIterable extends Iterable { + public static String TerminationHint = "df667391-676d-4c0f-9c40-426b1001607a"; +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/RepositoryQueueIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/RepositoryQueueIterator.java new file mode 100644 index 0000000..49c6c1d --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/RepositoryQueueIterator.java @@ -0,0 +1,92 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.util.Iterator; +import java.util.NoSuchElementException; +import java.util.concurrent.ArrayBlockingQueue; +import java.util.concurrent.TimeUnit; + +public class RepositoryQueueIterator implements Iterator { + private static final Log log = LogFactory.getLog(RepositoryQueueIterator.class); + + public static class Options { + private Boolean blockPolling; + private long pollTimeout; + private TimeUnit pollTimeoutUnit; + + public Boolean getBlockPolling() { + return blockPolling; + } + + public void setBlockPolling(Boolean blockPolling) { + this.blockPolling = blockPolling; + } + + public long getPollTimeout() { + return pollTimeout; + } + + public void setPollTimeout(long pollTimeout) { + this.pollTimeout = pollTimeout; + } + + public TimeUnit getPollTimeoutUnit() { + return pollTimeoutUnit; + } + + public void setPollTimeoutUnit(TimeUnit pollTimeoutUnit) { + this.pollTimeoutUnit = pollTimeoutUnit; + } + } + + private ArrayBlockingQueue queue; + private Options options; + private boolean hasTerminated; + + public RepositoryQueueIterator(Options options, ArrayBlockingQueue queue) { + this.options = options; + this.queue = queue; + this.hasTerminated = false; + } + + @Override + public boolean hasNext() { + if(this.hasTerminated) return false; + return true; + } + + @Override + public String next() { + String next = this.poll(); + log.debug("next endpoint to process: " + next); + if (next != null && next.equalsIgnoreCase(RepositoryIterable.TerminationHint)) { + log.debug("no more endpoints to process"); + this.hasTerminated = true; + next = null; + } + + return next; + } + + private String poll(){ + String item = null; + log.debug("retrieving endpoint from queue"); + log.debug("queue size: " + queue.size()); + if(this.options.getBlockPolling()) { + try { + item = this.queue.poll(this.options.getPollTimeout(), this.options.getPollTimeoutUnit()); + } catch (InterruptedException ex) { + log.warn(String.format("could not poll elements from queue for more than %s %s. throwing", this.options.getPollTimeout(), this.options.getPollTimeoutUnit())); + throw new NoSuchElementException(ex.getMessage()); + } + } + else { + item = this.queue.poll(); + } + log.debug("retrieved endpoint from queue"); + log.debug("queue size: " + queue.size()); + return item; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgIterable.java new file mode 100644 index 0000000..74bbffd --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgIterable.java @@ -0,0 +1,49 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.util.Iterator; +import java.util.concurrent.ArrayBlockingQueue; + +public class SchemaOrgIterable implements Iterable { + private static final Log log = LogFactory.getLog(SchemaOrgIterable.class); + + public static class Options { + private EndpointAccessIterator.Options endpointAccessOptions; + private DatasetMappingIterator.Options datasetMappingOptions; + + public EndpointAccessIterator.Options getEndpointAccessOptions() { + return endpointAccessOptions; + } + + public void setEndpointAccessOptions(EndpointAccessIterator.Options endpointAccessOptions) { + this.endpointAccessOptions = endpointAccessOptions; + } + + public DatasetMappingIterator.Options getDatasetMappingOptions() { + return datasetMappingOptions; + } + + public void setDatasetMappingOptions(DatasetMappingIterator.Options datasetMappingOptions) { + this.datasetMappingOptions = datasetMappingOptions; + } + } + + private Options options; + private RepositoryIterable repository; + + public SchemaOrgIterable(Options options, RepositoryIterable repository){ + this.options = options; + this.repository = repository; + } + + @Override + public Iterator iterator() { + Iterator repositoryIterator = this.repository.iterator(); + EndpointAccessIterator endpointAccessIterator = new EndpointAccessIterator(options.getEndpointAccessOptions(), repositoryIterator); + DatasetMappingIterator datasetMappingIterator = new DatasetMappingIterator(options.getDatasetMappingOptions(), endpointAccessIterator); + + return datasetMappingIterator; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgMainKaggle.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgMainKaggle.java new file mode 100644 index 0000000..684f880 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgMainKaggle.java @@ -0,0 +1,84 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.io.FileUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.log4j.ConsoleAppender; +import org.apache.log4j.Level; +import org.apache.log4j.Logger; +import org.apache.log4j.PatternLayout; + +import java.io.File; +import java.nio.charset.StandardCharsets; +import java.util.HashMap; +import java.util.concurrent.TimeUnit; + +public class SchemaOrgMainKaggle { + + private static final Log log = LogFactory.getLog(SchemaOrgMainKaggle.class); + + public static void main(String[] args) throws Exception { + + ConsoleAppender console = new ConsoleAppender(); + console.setLayout(new PatternLayout("%d [%p|%c|%C{1}] %m%n")); + console.setThreshold(Level.DEBUG); + console.activateOptions(); + Logger.getLogger("eu.dnetlib.data.collector.plugins").addAppender(console); + + HashMap params = new HashMap<>(); + params.put("consumerBlockPolling", Boolean.toString(true)); + params.put("consumerBlockPollingTimeout", "2"); + params.put("consumerBlockPollingTimeoutUnit", TimeUnit.MINUTES.toString()); + params.put("endpointCharset", StandardCharsets.UTF_8.name()); + params.put("updatedDateFormat", "YYYY-MM-DD"); + params.put("createdDateFormat", "YYYY-MM-DD"); + params.put("publicationDateFormat", "YYYY-MM-DD"); + params.put("contributorFallbackType", DatasetDocument.Contributor.ContributorType.Other.toString()); + params.put("identifierFallbackType", DatasetDocument.Identifier.IdentifierType.Handle.toString()); + params.put("identifierFallbackURL", Boolean.toString(true)); + params.put("identifierMappingARK", "ark, ARK"); + params.put("identifierMappingDOI", "doi, DOI"); + params.put("identifierMappingHandle", "Handle, HANDLE"); + params.put("identifierMappingPURL", "purl, PURL"); + params.put("identifierMappingURN", "urn, URN"); + params.put("identifierMappingURL", "url, URL"); + + params.put("repositoryAccessType", "httpapi-kaggle"); + + params.put("httpapi-kaggle_queueSize", "100"); + params.put("httpapi-kaggle_APICharset", StandardCharsets.UTF_8.name()); + params.put("httpapi-kaggle_queryUrl", "https://www.kaggle.com/datasets_v2.json?sortBy=updated&group=public&page={PAGE}&pageSize=20&size=sizeAll&filetype=fileTypeAll&license=licenseAll"); + params.put("httpapi-kaggle_queryPagePlaceholder", "{PAGE}"); + params.put("httpapi-kaggle_responsePropertyTotalDataset", "totalDatasetListItems"); + params.put("httpapi-kaggle_responsePropertyDatasetList", "datasetListItems"); + params.put("httpapi-kaggle_responsePropertyDatasetUrl", "datasetUrl"); + params.put("httpapi-kaggle_responseBaseDatasetUrl", "https://www.kaggle.com"); + params.put("httpapi-kaggle_producerBlockPollingTimeout", "2"); + params.put("httpapi-kaggle_producerBlockPollingTimeoutUnit", TimeUnit.MINUTES.toString()); + + InterfaceDescriptor descriptor = new InterfaceDescriptor(); + descriptor.setId("schema.org - kaggle"); + descriptor.setBaseUrl("https://www.kaggle.com"); + + descriptor.setParams(params); + + SchemaOrgPlugin schemaOrgPlugin = new SchemaOrgPlugin(); + + Iterable iterable = schemaOrgPlugin.collect(descriptor, null, null); + + String outDir = params.get("repositoryAccessType"); + + log.info("saving content in " + outDir); + + File directory = new File(outDir); + if (directory.exists()) { + log.info(directory.getAbsolutePath() + " exists, cleaning up"); + FileUtils.deleteDirectory(directory); + } + FileUtils.forceMkdir(directory); + Utils.writeFiles(iterable, outDir); + + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgMainReactome.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgMainReactome.java new file mode 100644 index 0000000..d77a38c --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgMainReactome.java @@ -0,0 +1,80 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex.SitemapFileIterator; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.io.FileUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.log4j.ConsoleAppender; +import org.apache.log4j.Level; +import org.apache.log4j.Logger; +import org.apache.log4j.PatternLayout; + +import java.io.File; +import java.nio.charset.StandardCharsets; +import java.util.HashMap; +import java.util.concurrent.TimeUnit; + +public class SchemaOrgMainReactome { + + private static final Log log = LogFactory.getLog(SchemaOrgMainReactome.class); + + public static void main(String[] args) throws Exception { + + ConsoleAppender console = new ConsoleAppender(); + console.setLayout(new PatternLayout("%d [%p|%c|%C{1}] %m%n")); + console.setThreshold(Level.DEBUG); + console.activateOptions(); + Logger.getLogger("eu.dnetlib.data.collector.plugins").addAppender(console); + + HashMap params = new HashMap<>(); + params.put("consumerBlockPolling", Boolean.toString(true)); + params.put("consumerBlockPollingTimeout", "2"); + params.put("consumerBlockPollingTimeoutUnit", TimeUnit.MINUTES.toString()); + params.put("endpointCharset", StandardCharsets.UTF_8.name()); + params.put("updatedDateFormat", "YYYY-MM-DD"); + params.put("createdDateFormat", "YYYY-MM-DD"); + params.put("publicationDateFormat", "YYYY-MM-DD"); + params.put("contributorFallbackType", DatasetDocument.Contributor.ContributorType.Other.toString()); + params.put("identifierFallbackType", DatasetDocument.Identifier.IdentifierType.Handle.toString()); + params.put("identifierFallbackURL", Boolean.toString(true)); + params.put("identifierMappingARK", "ark, ARK"); + params.put("identifierMappingDOI", "doi, DOI"); + params.put("identifierMappingHandle", "Handle, HANDLE"); + params.put("identifierMappingPURL", "purl, PURL"); + params.put("identifierMappingURN", "urn, URN"); + params.put("identifierMappingURL", "url, URL"); + + params.put("repositoryAccessType", "sitemapindex"); + params.put("sitemap_queueSize", "100"); + params.put("sitemap_IndexCharset", StandardCharsets.UTF_8.name()); + params.put("sitemap_FileCharset", StandardCharsets.UTF_8.name()); + params.put("sitemap_FileSchema", SitemapFileIterator.Options.SitemapSchemaType.Text.toString()); + params.put("sitemap_FileType", SitemapFileIterator.Options.SitemapFileType.GZ.toString()); + params.put("sitemap_producerBlockPollingTimeout", "2"); + params.put("sitemap_producerBlockPollingTimeoutUnit", TimeUnit.MINUTES.toString()); + + InterfaceDescriptor descriptor = new InterfaceDescriptor(); + descriptor.setId("schema.org - reactome"); + descriptor.setBaseUrl("https://reactome.org/sitemapindex.xml"); + + descriptor.setParams(params); + + SchemaOrgPlugin schemaOrgPlugin = new SchemaOrgPlugin(); + + Iterable iterable = schemaOrgPlugin.collect(descriptor, null, null); + + String outDir = params.get("repositoryAccessType"); + + log.info("saving content in " + outDir); + + File directory = new File(outDir); + if (directory.exists()) { + log.info(directory.getAbsolutePath() + " exists, cleaning up"); + FileUtils.deleteDirectory(directory); + } + FileUtils.forceMkdir(directory); + Utils.writeFiles(iterable, outDir); + } + +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgPlugin.java new file mode 100644 index 0000000..cb567fa --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgPlugin.java @@ -0,0 +1,153 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.plugins.schemaorg.httpapi.kaggle.KaggleRepositoryIterable; +import eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex.SitemapFileIterator; +import eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex.SitemapIndexIterator; +import eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex.SitemapIndexRepositoryIterable; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.net.MalformedURLException; +import java.net.URL; +import java.nio.charset.StandardCharsets; +import java.util.concurrent.TimeUnit; + +public class SchemaOrgPlugin extends AbstractCollectorPlugin { + + private static final Log log = LogFactory.getLog(SchemaOrgPlugin.class); + + public String hello(){ + return "hello"; + } + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate) throws CollectorServiceException { + try { + RepositoryIterable repository = null; + String repositoryAccessType = Utils.getAsString(interfaceDescriptor.getParams(), "repositoryAccessType", null); + switch(repositoryAccessType) { + case "sitemapindex": { + SitemapIndexRepositoryIterable.Options repositoryOptions = this.compileSitemapIndexRepositoryOptions(interfaceDescriptor); + SitemapIndexRepositoryIterable repositoryIterable = new SitemapIndexRepositoryIterable(repositoryOptions); + repositoryIterable.bootstrap(); + repository = repositoryIterable; + break; + } + case "httpapi-kaggle": { + KaggleRepositoryIterable.Options repositoryOptions = this.compileKaggleRepositoryOptions(interfaceDescriptor); + KaggleRepositoryIterable repositoryIterable = new KaggleRepositoryIterable(repositoryOptions); + repositoryIterable.bootstrap(); + repository = repositoryIterable; + break; + } + default: + throw new CollectorServiceException(String.format("unrecognized repository access type ", repositoryAccessType)); + } + SchemaOrgIterable.Options schemaOrgOptions = this.compileSchemaOrgOptions(interfaceDescriptor); + SchemaOrgIterable iterable = new SchemaOrgIterable(schemaOrgOptions, repository); + return iterable; + } catch (Exception e) { + throw new CollectorServiceException("Could not create iterator", e); + } + } + + private KaggleRepositoryIterable.Options compileKaggleRepositoryOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + KaggleRepositoryIterable.Options kaggleRepositoryOptions = new KaggleRepositoryIterable.Options(); + kaggleRepositoryOptions.setQueueSize(Utils.getAsInt(interfaceDescriptor.getParams(), "httpapi-kaggle_queueSize", 100)); + kaggleRepositoryOptions.setPutTimeout(Utils.getAsLong(interfaceDescriptor.getParams(), "httpapi-kaggle_producerBlockPollingTimeout", 20)); + kaggleRepositoryOptions.setPutTimeoutUnit(Utils.getAsEnum(interfaceDescriptor.getParams(), "httpapi-kaggle_producerBlockPollingTimeoutUnit", TimeUnit.MINUTES, TimeUnit.class)); + kaggleRepositoryOptions.setCharset(Utils.getAsCharset(interfaceDescriptor.getParams(), "httpapi-kaggle_APICharset", StandardCharsets.UTF_8)); + kaggleRepositoryOptions.setQueryUrl(Utils.getAsString(interfaceDescriptor.getParams(), "httpapi-kaggle_queryUrl", null)); + kaggleRepositoryOptions.setQueryPagePlaceholder(Utils.getAsString(interfaceDescriptor.getParams(), "httpapi-kaggle_queryPagePlaceholder", "{PAGE}")); + kaggleRepositoryOptions.setResponsePropertyTotalDataset(Utils.getAsString(interfaceDescriptor.getParams(), "httpapi-kaggle_responsePropertyTotalDataset", "totalDatasetListItems")); + kaggleRepositoryOptions.setResponsePropertyDatasetList(Utils.getAsString(interfaceDescriptor.getParams(), "httpapi-kaggle_responsePropertyDatasetList", "datasetListItems")); + kaggleRepositoryOptions.setResponsePropertyDatasetUrl(Utils.getAsString(interfaceDescriptor.getParams(), "httpapi-kaggle_responsePropertyDatasetUrl", "datasetUrl")); + kaggleRepositoryOptions.setResponseBaseDatasetUrl(Utils.getAsString(interfaceDescriptor.getParams(), "httpapi-kaggle_responseBaseDatasetUrl", interfaceDescriptor.getBaseUrl())); + kaggleRepositoryOptions.setRepositoryQueueIteratorOptions(this.compileRepositoryQueueOptions(interfaceDescriptor)); + return kaggleRepositoryOptions; + + } + + private SitemapIndexIterator.Options compileSitemapIndexOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + SitemapIndexIterator.Options sitemapIndexIteratorOptions = new SitemapIndexIterator.Options(); + sitemapIndexIteratorOptions.setCharset(Utils.getAsCharset(interfaceDescriptor.getParams(), "sitemap_IndexCharset", StandardCharsets.UTF_8)); + sitemapIndexIteratorOptions.setIndexUrl(new URL(interfaceDescriptor.getBaseUrl())); + return sitemapIndexIteratorOptions; + + } + + private SitemapFileIterator.Options compileSitemapFileOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + SitemapFileIterator.Options sitemapFileIteratorOptions = new SitemapFileIterator.Options(); + sitemapFileIteratorOptions.setCharset(Utils.getAsCharset(interfaceDescriptor.getParams(), "sitemap_FileCharset", StandardCharsets.UTF_8)); + sitemapFileIteratorOptions.setSchemaType(Utils.getAsEnum(interfaceDescriptor.getParams(), "sitemap_FileSchema", SitemapFileIterator.Options.SitemapSchemaType.Xml, SitemapFileIterator.Options.SitemapSchemaType.class)); + sitemapFileIteratorOptions.setFileType(Utils.getAsEnum(interfaceDescriptor.getParams(), "sitemap_FileType", SitemapFileIterator.Options.SitemapFileType.Text, SitemapFileIterator.Options.SitemapFileType.class)); + return sitemapFileIteratorOptions; + } + + private RepositoryQueueIterator.Options compileRepositoryQueueOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + RepositoryQueueIterator.Options repositoryQueueIteratorOptions = new RepositoryQueueIterator.Options(); + repositoryQueueIteratorOptions.setBlockPolling(Utils.getAsBoolean(interfaceDescriptor.getParams(), "consumerBlockPolling", true)); + repositoryQueueIteratorOptions.setPollTimeout(Utils.getAsLong(interfaceDescriptor.getParams(), "consumerBlockPollingTimeout", 2)); + repositoryQueueIteratorOptions.setPollTimeoutUnit(Utils.getAsEnum(interfaceDescriptor.getParams(), "consumerBlockPollingTimeoutUnit", TimeUnit.MINUTES, TimeUnit.class)); + return repositoryQueueIteratorOptions; + } + + private SitemapIndexRepositoryIterable.Options compileSitemapIndexRepositoryOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + SitemapIndexRepositoryIterable.Options sitemapIndexRepositoryIterableOptions = new SitemapIndexRepositoryIterable.Options(); + sitemapIndexRepositoryIterableOptions.setQueueSize(Utils.getAsInt(interfaceDescriptor.getParams(), "sitemap_queueSize", 100)); + sitemapIndexRepositoryIterableOptions.setPutTimeout(Utils.getAsLong(interfaceDescriptor.getParams(), "sitemap_producerBlockPollingTimeout", 20)); + sitemapIndexRepositoryIterableOptions.setPutTimeoutUnit(Utils.getAsEnum(interfaceDescriptor.getParams(), "sitemap_producerBlockPollingTimeoutUnit", TimeUnit.MINUTES, TimeUnit.class)); + sitemapIndexRepositoryIterableOptions.setRepositoryQueueIteratorOptions(this.compileRepositoryQueueOptions(interfaceDescriptor)); + sitemapIndexRepositoryIterableOptions.setSitemapFileIteratorOptions(this.compileSitemapFileOptions(interfaceDescriptor)); + sitemapIndexRepositoryIterableOptions.setSitemapIndexIteratorOptions(this.compileSitemapIndexOptions(interfaceDescriptor)); + return sitemapIndexRepositoryIterableOptions; + } + + private EndpointAccessIterator.Options compileEndpointAccessOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + EndpointAccessIterator.Options endpointAccessIteratorOptions = new EndpointAccessIterator.Options(); + endpointAccessIteratorOptions.setCharset(Utils.getAsCharset(interfaceDescriptor.getParams(), "endpointCharset", StandardCharsets.UTF_8)); + return endpointAccessIteratorOptions; + } + + private DatasetMappingIterator.Options compileDatasetMappingOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + DatasetMappingIterator.Options datasetMappingIteratorOptions = new DatasetMappingIterator.Options(); + + DatasetMappingIterator.Options.UpdatedDateOptions datasetMappingIteratorUpdatedDateOptions = new DatasetMappingIterator.Options.UpdatedDateOptions(); + datasetMappingIteratorUpdatedDateOptions.format =Utils.getAsString(interfaceDescriptor.getParams(), "updatedDateFormat", "YYYY-MM-DD"); + datasetMappingIteratorOptions.setUpdatedDateOptions(datasetMappingIteratorUpdatedDateOptions); + + DatasetMappingIterator.Options.CreatedDateOptions datasetMappingIteratorCreatedDateOptions = new DatasetMappingIterator.Options.CreatedDateOptions(); + datasetMappingIteratorCreatedDateOptions.format =Utils.getAsString(interfaceDescriptor.getParams(), "createdDateFormat", "YYYY-MM-DD"); + datasetMappingIteratorOptions.setCreatedDateOptions(datasetMappingIteratorCreatedDateOptions); + + DatasetMappingIterator.Options.PublicationDateOptions datasetMappingIteratorPublicationDateOptions = new DatasetMappingIterator.Options.PublicationDateOptions(); + datasetMappingIteratorPublicationDateOptions.format =Utils.getAsString(interfaceDescriptor.getParams(), "publicationDateFormat", "YYYY-MM-DD"); + datasetMappingIteratorOptions.setPublicationDateOptions(datasetMappingIteratorPublicationDateOptions); + + DatasetMappingIterator.Options.ContributorOptions datasetMappingIteratorContributorOptions = new DatasetMappingIterator.Options.ContributorOptions(); + datasetMappingIteratorContributorOptions.fallbackType =Utils.getAsEnum(interfaceDescriptor.getParams(), "contributorFallbackType",DatasetDocument.Contributor.ContributorType.Other, DatasetDocument.Contributor.ContributorType.class); + datasetMappingIteratorOptions.setContributorOptions(datasetMappingIteratorContributorOptions); + + DatasetMappingIterator.Options.IdentifierOptions datasetMappingIteratorIdentifierOptions = new DatasetMappingIterator.Options.IdentifierOptions(); + datasetMappingIteratorIdentifierOptions.fallbackType = Utils.getAsEnum(interfaceDescriptor.getParams(), "identifierFallbackType", null, DatasetDocument.Identifier.IdentifierType.class); + datasetMappingIteratorIdentifierOptions.fallbackURL = Utils.getAsBoolean(interfaceDescriptor.getParams(), "identifierFallbackURL", true); + datasetMappingIteratorIdentifierOptions.mappingARK = Utils.getAsStringCsv(interfaceDescriptor.getParams(), "identifierMappingARK", null); + datasetMappingIteratorIdentifierOptions.mappingDOI = Utils.getAsStringCsv(interfaceDescriptor.getParams(), "identifierMappingDOI", null); + datasetMappingIteratorIdentifierOptions.mappingHandle = Utils.getAsStringCsv(interfaceDescriptor.getParams(), "identifierMappingHandle", null); + datasetMappingIteratorIdentifierOptions.mappingPURL = Utils.getAsStringCsv(interfaceDescriptor.getParams(), "identifierMappingPURL", null); + datasetMappingIteratorIdentifierOptions.mappingURL = Utils.getAsStringCsv(interfaceDescriptor.getParams(), "identifierMappingURL", null); + datasetMappingIteratorIdentifierOptions.mappingURN = Utils.getAsStringCsv(interfaceDescriptor.getParams(), "identifierMappingURN", null); + datasetMappingIteratorOptions.setIdentifierOptions(datasetMappingIteratorIdentifierOptions); + return datasetMappingIteratorOptions; + } + + private SchemaOrgIterable.Options compileSchemaOrgOptions(InterfaceDescriptor interfaceDescriptor) throws MalformedURLException { + SchemaOrgIterable.Options schemaOrgIterableOptions = new SchemaOrgIterable.Options(); + schemaOrgIterableOptions.setDatasetMappingOptions(this.compileDatasetMappingOptions(interfaceDescriptor)); + schemaOrgIterableOptions.setEndpointAccessOptions(this.compileEndpointAccessOptions(interfaceDescriptor)); + return schemaOrgIterableOptions; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/Utils.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/Utils.java new file mode 100644 index 0000000..f6499c5 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/Utils.java @@ -0,0 +1,208 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import org.apache.commons.io.IOUtils; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.dom4j.DocumentException; +import org.dom4j.io.SAXReader; +import org.w3c.dom.Document; +import org.w3c.dom.NodeList; +import org.xml.sax.InputSource; + +import javax.xml.parsers.DocumentBuilder; +import javax.xml.parsers.DocumentBuilderFactory; +import javax.xml.xpath.XPath; +import javax.xml.xpath.XPathConstants; +import javax.xml.xpath.XPathExpression; +import javax.xml.xpath.XPathFactory; +import java.io.*; +import java.net.URL; +import java.nio.charset.Charset; +import java.nio.charset.UnsupportedCharsetException; +import java.util.ArrayList; +import java.util.EnumSet; +import java.util.HashMap; +import java.util.List; +import java.util.zip.GZIPInputStream; + +public class Utils { + private static final Log log = LogFactory.getLog(Utils.class); + + public static List collectAsStrings(String xml, String xpath) throws Exception{ + DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance(); + DocumentBuilder builder = factory.newDocumentBuilder(); + Document doc = builder.parse(new InputSource(new StringReader(xml))); + return Utils.collectAsStrings(doc, xpath); + } + + public static List collectAsStrings(File file, String xpath) throws Exception{ + DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance(); + DocumentBuilder builder = factory.newDocumentBuilder(); + Document doc = builder.parse(file); + return Utils.collectAsStrings(doc, xpath); + } + + public static List collectAsStrings(Document doc, String xpath) throws Exception{ + XPathFactory xPathfactory = XPathFactory.newInstance(); + XPath path = xPathfactory.newXPath(); + XPathExpression expr = path.compile(xpath); + NodeList nodes = (NodeList) expr.evaluate(doc, XPathConstants.NODESET); + + List values = new ArrayList<>(); + + for (int i = 0; i < nodes.getLength(); i++) + values.add(nodes.item(i).getNodeValue()); + + return values; + } + + public static void decompressGZipTo(File input, File output) throws Exception { + try (GZIPInputStream in = new GZIPInputStream(new FileInputStream(input))){ + try (FileOutputStream out = new FileOutputStream(output)){ + byte[] buffer = new byte[1024]; + int len; + while((len = in.read(buffer)) != -1){ + out.write(buffer, 0, len); + } + } + } + } + + public static String getAsString(HashMap map, String key, String defaultValue) + { + String value = map.get(key); + if(value == null) return defaultValue; + return value; + } + + public static List getAsStringCsv(HashMap map, String key, List defaultValue) + { + String value = map.get(key); + if(value == null) return defaultValue; + String[] splits = value.split(","); + List curated = new ArrayList<>(); + for(String item : splits){ + if(item == null || item.trim().length() == 0) continue; + curated.add(item.trim()); + } + return curated; + } + + public static int getAsInt(HashMap map, String key, int defaultValue) + { + String value = map.get(key); + if(value == null) return defaultValue; + try { + return Integer.parseInt(value); + } catch (NumberFormatException e) { + return defaultValue; + } + } + + public static long getAsLong(HashMap map, String key, long defaultValue) + { + String value = map.get(key); + if(value == null) return defaultValue; + try { + return Long.parseLong(value); + } catch (NumberFormatException e) { + return defaultValue; + } + } + + public static > E getAsEnum(HashMap map, String key, E defaultValue, Class clazz) { + //EnumSet values = EnumSet.allOf(defaultValue.getClass()); + EnumSet values = EnumSet.allOf(clazz); + String value = map.get(key); + if (value == null) return defaultValue; + for(E val : values){ + if(!val.name().equalsIgnoreCase(value)) continue; + return val; + } + return defaultValue; + } + + public static Boolean getAsBoolean(HashMap map, String key, Boolean defaultValue) { + String value = map.get(key); + if (value == null) return defaultValue; + return Boolean.parseBoolean(value); + } + + public static Charset getAsCharset(HashMap map, String key, Charset defaultValue) + { + String value = map.get(key); + if(value == null) return defaultValue; + try { + return Charset.forName(value); + } catch (UnsupportedCharsetException e) { + return defaultValue; + } + } + + + public static String RemoteAccessWithRetry(int retryCount, long waitBetweenRetriesMillis, URL endpoint, Charset charset) throws IOException { + int retry =0; + while(retry < retryCount) { + try { + return IOUtils.toString(endpoint, charset); + } catch (Exception ex) { + retry += 1; + if (retry < retryCount) { + log.debug("problem accessing url " + endpoint + ". will retry after " + waitBetweenRetriesMillis + " milliseconds"); + try { + Thread.sleep(waitBetweenRetriesMillis); + } catch (Exception e) { + } + } + else{ + log.debug("problem accessing url " + endpoint + ". throwing"); + throw ex; + } + } + } + return null; + } + + public static Boolean validateXml(String xml){ + try { + DocumentBuilderFactory factory = DocumentBuilderFactory.newInstance(); + DocumentBuilder builder = factory.newDocumentBuilder(); + InputSource is = new InputSource(new StringReader(xml)); + builder.parse(is); + return true; + }catch(Exception ex){ + return false; + } + } + + public static void writeFiles(final Iterable iterable, final String outDir) throws DocumentException, IOException { + + int skipped = 0; + int count = 0; + + for(String item : iterable) { + + final org.dom4j.Document doc = new SAXReader().read(new StringReader(item)); + + if (StringUtils.isNotBlank(doc.valueOf("/*[local-name() = 'dataset']/*[local-name() = 'identifier']/text()"))) { + log.info(item); + String fileName = outDir + "/" + count++; + + try(BufferedWriter w = new BufferedWriter(new FileWriter(fileName))) { + w.write(item); + } + log.info("wrote " + fileName); + } else { + skipped++; + } + if (skipped % 100 == 0) { + log.info("skipped so far " + skipped); + } + if (count % 100 == 0) { + log.info("stored so far " + count); + } + } + log.info(String.format("Done! skipped %s, stored %s", skipped, count)); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/httpapi/HttpApiRepositoryIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/httpapi/HttpApiRepositoryIterable.java new file mode 100644 index 0000000..cf08dbc --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/httpapi/HttpApiRepositoryIterable.java @@ -0,0 +1,6 @@ +package eu.dnetlib.data.collector.plugins.schemaorg.httpapi; + +import eu.dnetlib.data.collector.plugins.schemaorg.RepositoryIterable; + +public interface HttpApiRepositoryIterable extends RepositoryIterable { +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/httpapi/kaggle/KaggleRepositoryIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/httpapi/kaggle/KaggleRepositoryIterable.java new file mode 100644 index 0000000..11026e5 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/httpapi/kaggle/KaggleRepositoryIterable.java @@ -0,0 +1,208 @@ +package eu.dnetlib.data.collector.plugins.schemaorg.httpapi.kaggle; + +import eu.dnetlib.data.collector.plugins.schemaorg.RepositoryIterable; +import eu.dnetlib.data.collector.plugins.schemaorg.RepositoryQueueIterator; +import eu.dnetlib.data.collector.plugins.schemaorg.httpapi.HttpApiRepositoryIterable; +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.json.JSONArray; +import org.json.JSONObject; + +import java.net.URL; +import java.nio.charset.Charset; +import java.util.Iterator; +import java.util.NoSuchElementException; +import java.util.concurrent.ArrayBlockingQueue; +import java.util.concurrent.ExecutorService; +import java.util.concurrent.Executors; +import java.util.concurrent.TimeUnit; + +public class KaggleRepositoryIterable implements HttpApiRepositoryIterable { + private static final Log log = LogFactory.getLog(KaggleRepositoryIterable.class); + + public static class Options { + private String queryUrl; + private String queryPagePlaceholder; + private Charset charset; + private String responsePropertyTotalDataset; + private String responsePropertyDatasetList; + private String responsePropertyDatasetUrl; + private String responseBaseDatasetUrl; + private long putTimeout; + private TimeUnit putTimeoutUnit; + + private RepositoryQueueIterator.Options repositoryQueueIteratorOptions; + + private int queueSize; + + public long getPutTimeout() { + return putTimeout; + } + + public void setPutTimeout(long putTimeout) { + this.putTimeout = putTimeout; + } + + public TimeUnit getPutTimeoutUnit() { + return putTimeoutUnit; + } + + public void setPutTimeoutUnit(TimeUnit putTimeoutUnit) { + this.putTimeoutUnit = putTimeoutUnit; + } + + public int getQueueSize() { + return queueSize; + } + + public void setQueueSize(int queueSize) { + this.queueSize = queueSize; + } + + public String getResponseBaseDatasetUrl() { + return responseBaseDatasetUrl; + } + + public void setResponseBaseDatasetUrl(String responseBaseDatasetUrl) { + this.responseBaseDatasetUrl = responseBaseDatasetUrl; + } + + public RepositoryQueueIterator.Options getRepositoryQueueIteratorOptions() { + return repositoryQueueIteratorOptions; + } + + public void setRepositoryQueueIteratorOptions(RepositoryQueueIterator.Options repositoryQueueIteratorOptions) { + this.repositoryQueueIteratorOptions = repositoryQueueIteratorOptions; + } + + public String getResponsePropertyDatasetUrl() { + return responsePropertyDatasetUrl; + } + + public void setResponsePropertyDatasetUrl(String responsePropertyDatasetUrl) { + this.responsePropertyDatasetUrl = responsePropertyDatasetUrl; + } + + public String getResponsePropertyDatasetList() { + return responsePropertyDatasetList; + } + + public void setResponsePropertyDatasetList(String responsePropertyDatasetList) { + this.responsePropertyDatasetList = responsePropertyDatasetList; + } + + public String getResponsePropertyTotalDataset() { + return responsePropertyTotalDataset; + } + + public void setResponsePropertyTotalDataset(String responsePropertyTotalDataset) { + this.responsePropertyTotalDataset = responsePropertyTotalDataset; + } + + public Charset getCharset() { + return charset; + } + + public void setCharset(Charset charset) { + this.charset = charset; + } + + public String getQueryPagePlaceholder() { + return queryPagePlaceholder; + } + + public void setQueryPagePlaceholder(String queryPagePlaceholder) { + this.queryPagePlaceholder = queryPagePlaceholder; + } + + public String getQueryUrl() { + return queryUrl; + } + + public void setQueryUrl(String queryUrl) { + this.queryUrl = queryUrl; + } + } + + private Options options; + private ArrayBlockingQueue queue; + + public KaggleRepositoryIterable(Options options) { + this.options = options; +// this.currentPage = 1; +// this.terminated = false; + } + + public void bootstrap() { + this.queue = new ArrayBlockingQueue<>(this.options.getQueueSize()); + + Thread ft = new Thread(new Harvester() ); + ft.start(); +// ExecutorService executor = Executors.newSingleThreadExecutor(); +// executor.execute(new Harvester()); +// executor.shutdown(); + } + + @Override + public Iterator iterator() { + return new RepositoryQueueIterator(this.options.getRepositoryQueueIteratorOptions(), this.queue); + } + + private class Harvester implements Runnable{ + + @Override + public void run() { + this.execute(); + } + private void execute() { + try { + int currentPage = 1; + int totalDatasets = 0; + int readDatasets = 0; + while (true) { + String query = options.getQueryUrl().replace(options.getQueryPagePlaceholder(), Integer.toString(currentPage)); + String response = IOUtils.toString(new URL(query), options.getCharset()); + currentPage += 1; + + JSONObject pageObject = new JSONObject(response); + totalDatasets = pageObject.optInt(options.getResponsePropertyTotalDataset()); + JSONArray datasets = pageObject.optJSONArray(options.getResponsePropertyDatasetList()); + + if (datasets == null || datasets.length() == 0) break; + + readDatasets += datasets.length(); + + for (int i = 0; i < datasets.length(); i += 1) { + JSONObject item = datasets.optJSONObject(i); + String urlFragment = item.optString(options.getResponsePropertyDatasetUrl()); + if (urlFragment == null || urlFragment.trim().length() == 0) continue; + String endpoint = String.format("%s%s", options.getResponseBaseDatasetUrl(), urlFragment); + + log.debug("adding endpoint in queue"); + log.debug("queue size: " + queue.size()); + + try { + queue.offer(endpoint, options.getPutTimeout(), options.getPutTimeoutUnit()); + } catch (InterruptedException ex) { + log.warn(String.format("could not put elements from queue for more than %s %s. breaking", options.getPutTimeout(), options.getPutTimeoutUnit())); + break; + } + log.debug("endpoint added in queue"); + log.debug("queue size: " + queue.size()); + } + + if (readDatasets >= totalDatasets) break; + } + } catch (Exception ex) { + log.error("problem execution harvesting", ex); + } finally { + try { + queue.offer(RepositoryIterable.TerminationHint, options.getPutTimeout(), options.getPutTimeoutUnit()); + } catch (Exception ex) { + log.fatal("could not add termination hint. the process will not terminate gracefully", ex); + } + } + } + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapFileIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapFileIterator.java new file mode 100644 index 0000000..181ccf9 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapFileIterator.java @@ -0,0 +1,172 @@ +package eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex; + +import eu.dnetlib.data.collector.plugins.schemaorg.Utils; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.io.FileUtils; +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.io.*; +import java.net.URL; +import java.nio.charset.Charset; +import java.util.*; + +public class SitemapFileIterator implements Iterator { + private static final Log log = LogFactory.getLog(SitemapFileIterator.class); + + public static class Options { + + public enum SitemapFileType{ + Text, + GZ + } + + public enum SitemapSchemaType{ + Text, + Xml + } + + public Options(){} + + public Options(URL fileUrl, Charset charset, SitemapSchemaType schemaType, SitemapFileType fileType) { + this.fileUrl = fileUrl; + this.charset = charset; + this.schemaType = schemaType; + this.fileType = fileType; + } + + private SitemapFileType fileType; + private SitemapSchemaType schemaType; + private URL fileUrl; + private Charset charset; + + public Charset getCharset() { + return charset; + } + + public void setCharset(Charset charset) { + this.charset = charset; + } + + public URL getFileUrl() { + return fileUrl; + } + + public void setFileUrl(URL fileUrl) { + this.fileUrl = fileUrl; + } + + public SitemapFileType getFileType() { + return fileType; + } + + public void setFileType(SitemapFileType fileType) { + this.fileType = fileType; + } + + public SitemapSchemaType getSchemaType() { + return schemaType; + } + + public void setSchemaType(SitemapSchemaType schemaType) { + this.schemaType = schemaType; + } + + @Override + public Object clone(){ + Options clone = new Options(); + clone.setCharset(this.getCharset()); + clone.setFileType(this.getFileType()); + clone.setFileUrl(this.getFileUrl()); + clone.setSchemaType(this.getSchemaType()); + return clone; + } + } + + private Options options; + private File downloadedFile; + private File contentFile; + private Queue locations; + + public SitemapFileIterator(Options options){ + this.options = options; + } + + public void bootstrap() { + LinkedList endpoints = null; + try { + log.debug(String.format("bootstrapping sitemapindex file access for sitemapindex %s", this.options.getFileUrl())); + this.downloadedFile = File.createTempFile(UUID.randomUUID().toString(), ".tmp"); + this.downloadedFile.deleteOnExit(); + FileUtils.copyURLToFile(this.options.getFileUrl(), this.downloadedFile); + log.debug(String.format("downloaded file: %s has size %d", this.downloadedFile.toString(), this.downloadedFile.length())); + + switch (this.options.getFileType()) { + case Text: { + this.contentFile = this.downloadedFile; + break; + } + case GZ: { + this.contentFile = File.createTempFile(UUID.randomUUID().toString(), ".tmp"); + this.contentFile.deleteOnExit(); + Utils.decompressGZipTo(this.downloadedFile, this.contentFile); + log.debug(String.format("extracted gz file: %s has size %d", this.contentFile.toString(), this.contentFile.length())); + break; + } + default: + throw new CollectorServiceException("unrecognized file type " + this.options.getFileType()); + } + + List content = this.collectContentLocations(); + + log.debug(String.format("extracted %d sitemapindex endpoints", content.size())); + endpoints = new LinkedList<>(content); + }catch(Exception ex){ + log.error(String.format("error processing sitemapindex %s. returning 0 endpoints",this.options.getFileUrl()), ex); + endpoints = new LinkedList<>(); + }finally { + if (this.contentFile != null) { + this.contentFile.delete(); + } + if (this.downloadedFile != null) { + this.downloadedFile.delete(); + } + } + this.locations = endpoints; + } + + private List collectContentLocations() throws Exception{ + switch(this.options.getSchemaType()) { + case Text:{ + return this.collectTextContentLocations(); + } + case Xml:{ + return this.collectXmlContentLocations(); + } + default: throw new CollectorServiceException("unrecognized file type "+this.options.getFileType()); + } + } + + private List collectTextContentLocations() throws Exception { + log.debug(String.format("reading endpoint locations from text sitemapindex")); + try (FileInputStream in = new FileInputStream(this.contentFile)) { + return IOUtils.readLines(in, this.options.getCharset()); + } + } + + private List collectXmlContentLocations() throws Exception { + log.debug(String.format("reading endpoint locations from xml sitemapindex")); + return Utils.collectAsStrings(this.contentFile,"/urlset/url/loc/text()"); + } + + @Override + public boolean hasNext() { + return !this.locations.isEmpty(); + } + + @Override + public String next() { + return this.locations.poll(); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapIndexIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapIndexIterator.java new file mode 100644 index 0000000..d858ebf --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapIndexIterator.java @@ -0,0 +1,74 @@ +package eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex; + +import eu.dnetlib.data.collector.plugins.schemaorg.Utils; +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.net.URL; +import java.nio.charset.Charset; +import java.util.*; + +public class SitemapIndexIterator implements Iterator { + private static final Log log = LogFactory.getLog(SitemapIndexIterator.class); + + public static class Options { + private URL indexUrl; + private Charset charset; + + public Options(){} + + public Options(URL indexUrl, Charset charset){ + this.indexUrl = indexUrl; + this.charset = charset; + } + + public URL getIndexUrl() { + return indexUrl; + } + + public void setIndexUrl(URL indexUrl) { + this.indexUrl = indexUrl; + } + + public Charset getCharset() { + return charset; + } + + public void setCharset(Charset charset) { + this.charset = charset; + } + } + + private Options options; + private Queue sitemapFiles; + + public SitemapIndexIterator(Options options) { + this.options = options; + } + + public void bootstrap() { + List files = null; + try { + log.debug("bootstrapping sitemapindex index access"); + String sitemapIndexPayload = Utils.RemoteAccessWithRetry(3, 5000, this.options.getIndexUrl(), this.options.getCharset()); + log.debug(String.format("sitemapindex payload is: %s", sitemapIndexPayload)); + files = Utils.collectAsStrings(sitemapIndexPayload, "/sitemapindex/sitemap/loc/text()"); + log.debug(String.format("extracted %d sitemapindex files", files.size())); + }catch(Exception ex){ + log.error("problem bootstrapping sitemapindex index access. returning 0 files", ex); + files = new ArrayList<>(); + } + this.sitemapFiles = new PriorityQueue(files); + } + + @Override + public boolean hasNext() { + return !this.sitemapFiles.isEmpty(); + } + + @Override + public String next() { + return this.sitemapFiles.poll(); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapIndexRepositoryIterable.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapIndexRepositoryIterable.java new file mode 100644 index 0000000..c47d0ff --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/schemaorg/sitemapindex/SitemapIndexRepositoryIterable.java @@ -0,0 +1,147 @@ +package eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex; + +import eu.dnetlib.data.collector.plugins.schemaorg.RepositoryIterable; +import eu.dnetlib.data.collector.plugins.schemaorg.RepositoryQueueIterator; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; + +import java.net.URL; +import java.util.Iterator; +import java.util.concurrent.ArrayBlockingQueue; +import java.util.concurrent.ExecutorService; +import java.util.concurrent.Executors; +import java.util.concurrent.TimeUnit; + +public class SitemapIndexRepositoryIterable implements RepositoryIterable { + private static final Log log = LogFactory.getLog(SitemapIndexRepositoryIterable.class); + + public static class Options { + private SitemapIndexIterator.Options sitemapIndexIteratorOptions; + private SitemapFileIterator.Options sitemapFileIteratorOptions; + private RepositoryQueueIterator.Options repositoryQueueIteratorOptions; + private long putTimeout; + private TimeUnit putTimeoutUnit; + + private int queueSize; + + public long getPutTimeout() { + return putTimeout; + } + + public void setPutTimeout(long putTimeout) { + this.putTimeout = putTimeout; + } + + public TimeUnit getPutTimeoutUnit() { + return putTimeoutUnit; + } + + public void setPutTimeoutUnit(TimeUnit putTimeoutUnit) { + this.putTimeoutUnit = putTimeoutUnit; + } + + public int getQueueSize() { + return queueSize; + } + + public void setQueueSize(int queueSize) { + this.queueSize = queueSize; + } + + public RepositoryQueueIterator.Options getRepositoryQueueIteratorOptions() { + return repositoryQueueIteratorOptions; + } + + public void setRepositoryQueueIteratorOptions(RepositoryQueueIterator.Options repositoryQueueIteratorOptions) { + this.repositoryQueueIteratorOptions = repositoryQueueIteratorOptions; + } + + public SitemapIndexIterator.Options getSitemapIndexIteratorOptions() { + return sitemapIndexIteratorOptions; + } + + public void setSitemapIndexIteratorOptions(SitemapIndexIterator.Options sitemapIndexIteratorOptions) { + this.sitemapIndexIteratorOptions = sitemapIndexIteratorOptions; + } + + public SitemapFileIterator.Options getSitemapFileIteratorOptions() { + return sitemapFileIteratorOptions; + } + + public void setSitemapFileIteratorOptions(SitemapFileIterator.Options sitemapFileIteratorOptions) { + this.sitemapFileIteratorOptions = sitemapFileIteratorOptions; + } + } + + private Options options; + private ArrayBlockingQueue queue; + + public SitemapIndexRepositoryIterable(Options options) { + this.options = options; + } + + public void bootstrap() { + this.queue = new ArrayBlockingQueue<>(this.options.getQueueSize()); + + Thread ft = new Thread(new Harvester() ); + ft.start(); +// ExecutorService executor = Executors.newSingleThreadExecutor(); +// executor.execute(new Harvester()); +// executor.shutdown(); + } + + @Override + public Iterator iterator() { + return new RepositoryQueueIterator(this.options.getRepositoryQueueIteratorOptions(), this.queue); + } + + private class Harvester implements Runnable{ + + @Override + public void run() { + this.execute(); + } + + private void execute(){ + try { + SitemapIndexIterator sitemapIndexIterator = new SitemapIndexIterator(options.getSitemapIndexIteratorOptions()); + sitemapIndexIterator.bootstrap(); + + while (sitemapIndexIterator.hasNext()) { + String sitemapFile = sitemapIndexIterator.next(); + if(sitemapFile == null) continue; + + SitemapFileIterator.Options sitemapFileIteratorOptions = (SitemapFileIterator.Options)options.getSitemapFileIteratorOptions().clone(); + sitemapFileIteratorOptions.setFileUrl(new URL(sitemapFile)); + SitemapFileIterator sitemapFileIterator = new SitemapFileIterator(sitemapFileIteratorOptions); + sitemapFileIterator.bootstrap(); + + while(sitemapFileIterator.hasNext()){ + String endpoint = sitemapFileIterator.next(); + if(endpoint == null) continue;; + + log.debug("adding endpoint in queue"); + log.debug("queue size: " + queue.size()); + try { + queue.offer(endpoint, options.getPutTimeout(), options.getPutTimeoutUnit()); + } catch (InterruptedException ex) { + log.warn(String.format("could not put elements from queue for more than %s %s. breaking", options.getPutTimeout(), options.getPutTimeoutUnit())); + break; + } + log.debug("endpoint added in queue"); + log.debug("queue size: " + queue.size()); + } + } + }catch(Exception ex){ + log.error("problem execution harvesting", ex); + } + finally { + try { + queue.offer(RepositoryIterable.TerminationHint, options.getPutTimeout(), options.getPutTimeoutUnit()); + } catch (Exception ex) { + log.fatal("could not add termination hint. the process will not terminate gracefully", ex); + } + } + } + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpCollectorPlugin.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpCollectorPlugin.java new file mode 100644 index 0000000..0d61871 --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpCollectorPlugin.java @@ -0,0 +1,71 @@ +package eu.dnetlib.data.collector.plugins.sftp; + +import java.util.Iterator; +import java.util.Set; + +import com.google.common.base.Splitter; +import com.google.common.collect.Sets; +import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +/** + * Created by andrea on 11/01/16. + */ +public class SftpCollectorPlugin extends AbstractCollectorPlugin { + + private SftpIteratorFactory sftpIteratorFactory; + + @Override + public Iterable collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String toDate) + throws CollectorServiceException { + final String baseUrl = interfaceDescriptor.getBaseUrl(); + final String username = interfaceDescriptor.getParams().get("username"); + final String password = interfaceDescriptor.getParams().get("password"); + final String recursive = interfaceDescriptor.getParams().get("recursive"); + final String extensions = interfaceDescriptor.getParams().get("extensions"); + + if ((baseUrl == null) || baseUrl.isEmpty()) { + throw new CollectorServiceException("Param 'baseurl' is null or empty"); + } + if ((username == null) || username.isEmpty()) { + throw new CollectorServiceException("Param 'username' is null or empty"); + } + if ((password == null) || password.isEmpty()) { + throw new CollectorServiceException("Param 'password' is null or empty"); + } + if ((recursive == null) || recursive.isEmpty()) { + throw new CollectorServiceException("Param 'recursive' is null or empty"); + } + if ((extensions == null) || extensions.isEmpty()) { + throw new CollectorServiceException("Param 'extensions' is null or empty"); + } + if (fromDate != null && !fromDate.matches("\\d{4}-\\d{2}-\\d{2}")) { throw new CollectorServiceException("Invalid date (YYYY-MM-DD): " + fromDate); } + + // final int fromDateIntSeconds = + + return new Iterable() { + + boolean isRecursive = "true".equals(recursive); + + Set extensionsSet = parseSet(extensions); + + @Override + public Iterator iterator() { + return getSftpIteratorFactory().newIterator(baseUrl, username, password, isRecursive, extensionsSet, fromDate); + } + + private Set parseSet(final String extensions) { + return Sets.newHashSet(Splitter.on(",").omitEmptyStrings().trimResults().split(extensions)); + } + }; + } + + public SftpIteratorFactory getSftpIteratorFactory() { + return sftpIteratorFactory; + } + + public void setSftpIteratorFactory(SftpIteratorFactory sftpIteratorFactory) { + this.sftpIteratorFactory = sftpIteratorFactory; + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpIterator.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpIterator.java new file mode 100644 index 0000000..4d5ebef --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpIterator.java @@ -0,0 +1,206 @@ +package eu.dnetlib.data.collector.plugins.sftp; + +import java.io.OutputStream; +import java.net.URI; +import java.net.URISyntaxException; +import java.util.*; + +import com.jcraft.jsch.*; +import eu.dnetlib.data.collector.rmi.CollectorServiceRuntimeException; +import org.apache.commons.io.output.ByteArrayOutputStream; +import org.apache.commons.lang3.StringUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.joda.time.DateTime; +import org.joda.time.format.DateTimeFormat; +import org.joda.time.format.DateTimeFormatter; + +/** + * Created by andrea on 11/01/16. + */ +public class SftpIterator implements Iterator { + private static final Log log = LogFactory.getLog(SftpIterator.class); + + private static final int MAX_RETRIES = 5; + private static final int DEFAULT_TIMEOUT = 30000; + private static final long BACKOFF_MILLIS = 10000; + + private String baseUrl; + private String sftpURIScheme; + private String sftpServerAddress; + private String remoteSftpBasePath; + private String username; + private String password; + private boolean isRecursive; + private Set extensionsSet; + private boolean incremental; + + private Session sftpSession; + private ChannelSftp sftpChannel; + + private Queue queue; + + private DateTime fromDate = null; + private DateTimeFormatter simpleDateTimeFormatter = DateTimeFormat.forPattern("yyyy-MM-dd"); + + public SftpIterator(String baseUrl, String username, String password, boolean isRecursive, Set extensionsSet, String fromDate) { + this.baseUrl = baseUrl; + this.username = username; + this.password = password; + this.isRecursive = isRecursive; + this.extensionsSet = extensionsSet; + this.incremental = StringUtils.isNotBlank(fromDate); + if (incremental) { + //I expect fromDate in the format 'yyyy-MM-dd'. See class eu.dnetlib.msro.workflows.nodes.collect.FindDateRangeForIncrementalHarvestingJobNode . + this.fromDate = DateTime.parse(fromDate, simpleDateTimeFormatter); + log.debug("fromDate string: " + fromDate + " -- parsed: " + this.fromDate.toString()); + } + try { + URI sftpServer = new URI(baseUrl); + this.sftpURIScheme = sftpServer.getScheme(); + this.sftpServerAddress = sftpServer.getHost(); + this.remoteSftpBasePath = sftpServer.getPath(); + } catch (URISyntaxException e) { + throw new CollectorServiceRuntimeException("Bad syntax in the URL " + baseUrl); + } + + connectToSftpServer(); + initializeQueue(); + } + + private void connectToSftpServer() { + JSch jsch = new JSch(); + + try { + JSch.setConfig("StrictHostKeyChecking", "no"); + sftpSession = jsch.getSession(username, sftpServerAddress); + sftpSession.setPassword(password); + sftpSession.connect(); + + Channel channel = sftpSession.openChannel(sftpURIScheme); + channel.connect(); + sftpChannel = (ChannelSftp) channel; + String pwd = sftpChannel.pwd(); + log.debug("PWD from server: " + pwd); + String fullPath = pwd + remoteSftpBasePath; + sftpChannel.cd(fullPath); + log.debug("PWD from server 2 after 'cd " + fullPath + "' : " + sftpChannel.pwd()); + log.info("Connected to SFTP server " + sftpServerAddress); + } catch (JSchException e) { + throw new CollectorServiceRuntimeException("Unable to connect to remote SFTP server.", e); + } catch (SftpException e) { + throw new CollectorServiceRuntimeException("Unable to access the base remote path on the SFTP server.", e); + } + } + + private void disconnectFromSftpServer() { + sftpChannel.exit(); + sftpSession.disconnect(); + } + + private void initializeQueue() { + queue = new LinkedList(); + log.info(String.format("SFTP collector plugin collecting from %s with recursion = %s, incremental = %s with fromDate=%s", remoteSftpBasePath, + isRecursive, + incremental, fromDate)); + listDirectoryRecursive(".", ""); + } + + private void listDirectoryRecursive(final String parentDir, final String currentDir) { + String dirToList = parentDir; + if (StringUtils.isNotBlank(currentDir)) { + dirToList += "/" + currentDir; + } + log.debug("PARENT DIR: " + parentDir); + log.debug("DIR TO LIST: " + dirToList); + try { + Vector ls = sftpChannel.ls(dirToList); + for (ChannelSftp.LsEntry entry : ls) { + String currentFileName = entry.getFilename(); + if (currentFileName.equals(".") || currentFileName.equals("..")) { + // skip parent directory and directory itself + continue; + } + + SftpATTRS attrs = entry.getAttrs(); + if (attrs.isDir()) { + if (isRecursive) { + listDirectoryRecursive(dirToList, currentFileName); + } + } else { + // test the file for extensions compliance and, just in case, add it to the list. + for (String ext : extensionsSet) { + if (currentFileName.endsWith(ext)) { + //test if the file has been changed after the last collection date: + if (incremental) { + int mTime = attrs.getMTime(); + //int times are values reduced by the milliseconds, hence we multiply per 1000L + DateTime dt = new DateTime(mTime * 1000L); + if (dt.isAfter(fromDate)) { + queue.add(currentFileName); + log.debug(currentFileName + " has changed and must be re-collected"); + } else { + if (log.isDebugEnabled()) { + log.debug(currentFileName + " has not changed since last collection"); + } + } + } else { + //if it is not incremental, just add it to the queue + queue.add(currentFileName); + } + + } + } + } + } + } catch (SftpException e) { + throw new CollectorServiceRuntimeException("Cannot list the sftp remote directory", e); + + } + } + + @Override + public boolean hasNext() { + if (queue.isEmpty()) { + disconnectFromSftpServer(); + return false; + } else { + return true; + } + } + + @Override + public String next() { + String nextRemotePath = queue.remove(); + int nRepeat = 0; + String fullPathFile = nextRemotePath; + while (nRepeat < MAX_RETRIES) { + try { + OutputStream baos = new ByteArrayOutputStream(); + sftpChannel.get(nextRemotePath, baos); + if (log.isDebugEnabled()) { + fullPathFile = sftpChannel.pwd() + "/" + nextRemotePath; + log.debug(String.format("Collected file from SFTP: %s%s", sftpServerAddress, fullPathFile)); + } + return baos.toString(); + } catch (SftpException e) { + nRepeat++; + log.warn(String.format("An error occurred [%s] for %s%s, retrying.. [retried %s time(s)]", e.getMessage(), sftpServerAddress, fullPathFile, + nRepeat)); + // disconnectFromSftpServer(); + try { + Thread.sleep(BACKOFF_MILLIS); + } catch (InterruptedException e1) { + log.error(e1); + } + } + } + throw new CollectorServiceRuntimeException( + String.format("Impossible to retrieve FTP file %s after %s retries. Aborting FTP collection.", fullPathFile, nRepeat)); + } + + @Override + public void remove() { + throw new UnsupportedOperationException(); + } +} diff --git a/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorFactory.java b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorFactory.java new file mode 100644 index 0000000..bccb25a --- /dev/null +++ b/dnet-data-services/src/main/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorFactory.java @@ -0,0 +1,18 @@ +package eu.dnetlib.data.collector.plugins.sftp; + +import java.util.Iterator; +import java.util.Set; + +/** + * Created by andrea on 11/01/16. + */ +public class SftpIteratorFactory { + + public Iterator newIterator(final String baseUrl, + final String username, + final String password, + final boolean isRecursive, + final Set extensionsSet, final String fromDate) { + return new SftpIterator(baseUrl, username, password, isRecursive, extensionsSet, fromDate); + } +} diff --git a/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-service.properties b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-service.properties new file mode 100644 index 0000000..e69de29 diff --git a/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-service.xml b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-service.xml new file mode 100644 index 0000000..d9f5a45 --- /dev/null +++ b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-service.xml @@ -0,0 +1,30 @@ + + + + + + + + + + + + diff --git a/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-utils.xml b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-utils.xml new file mode 100644 index 0000000..cf0b7cb --- /dev/null +++ b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/applicationContext-dnet-modular-collector-utils.xml @@ -0,0 +1,31 @@ + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-collector-plugins.xml b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-collector-plugins.xml new file mode 100644 index 0000000..87bfea0 --- /dev/null +++ b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-collector-plugins.xml @@ -0,0 +1,201 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-modular-collector-plugins.properties b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-modular-collector-plugins.properties new file mode 100644 index 0000000..bd9bd2f --- /dev/null +++ b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-modular-collector-plugins.properties @@ -0,0 +1,5 @@ +collector.oai.http.defaultDelay = 120 +collector.oai.http.readTimeOut = 120 +collector.oai.http.maxNumberOfRetry = 6 +services.objectstore.basePathList.xquery = collection('/db/DRIVER/ServiceResources/ObjectStoreServiceResourceType')//PROPERTY[@key='basePath']/@value/string() + diff --git a/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-modular-collector-plugins.xml b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-modular-collector-plugins.xml new file mode 100644 index 0000000..6b91b08 --- /dev/null +++ b/dnet-data-services/src/main/resources/eu/dnetlib/data/collector/plugins/applicationContext-dnet-modular-collector-plugins.xml @@ -0,0 +1,249 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/ApplyXsltTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/ApplyXsltTest.java new file mode 100644 index 0000000..3a3d97f --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/ApplyXsltTest.java @@ -0,0 +1,30 @@ +package eu.dnetlib.data.collector; + +import org.junit.Before; +import org.junit.Test; + +import eu.dnetlib.miscutils.functional.xml.ApplyXslt; + +public class ApplyXsltTest { + + private final String xslt = "\n" + + " " + " " + + " " + "" + "" + "" + + "" + ""; + + private ApplyXslt f; + + @Before + public void setUp() throws Exception { + //System.out.println(xslt); + f = new ApplyXslt(xslt); + System.out.println(f.getTransformer().getClass().getCanonicalName()); + } + + @Test + public void test() { + System.out.println(f.evaluate("1234metadata")); + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPluginTest.java new file mode 100644 index 0000000..7f5229f --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPluginTest.java @@ -0,0 +1,42 @@ +package eu.dnetlib.data.collector.plugins; + +import java.util.HashMap; + +import org.junit.Assert; +import org.junit.Before; +import org.junit.Test; +import org.springframework.core.io.ClassPathResource; +import org.springframework.core.io.Resource; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +public class FileGZipCollectorPluginTest { + + private Resource gzResource = new ClassPathResource("eu/dnetlib/data/collector/plugins/opendoar.xml.gz"); + private InterfaceDescriptor descr; + private FileGZipCollectorPlugin plugin; + + @Before + public void setUp() throws Exception { + descr = new InterfaceDescriptor(); + String thePath = gzResource.getFile().getAbsolutePath(); + descr.setBaseUrl("file://" + thePath); + HashMap params = new HashMap(); + params.put("splitOnElement", "repository"); + descr.setParams(params); + plugin = new FileGZipCollectorPlugin(); + } + + @Test + public void test() throws CollectorServiceException { + int i = 0; + for (String s : plugin.collect(descr, null, null)) { + Assert.assertTrue(s.length() > 0); + i++; + break; + } + Assert.assertTrue(i > 0); + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/HttpConnectorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/HttpConnectorTest.java new file mode 100644 index 0000000..f198f92 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/HttpConnectorTest.java @@ -0,0 +1,145 @@ +package eu.dnetlib.data.collector.plugins; + +import java.io.IOException; +import java.io.InputStream; +import java.net.HttpURLConnection; +import java.net.URL; +import java.util.concurrent.TimeUnit; +import javax.net.ssl.HttpsURLConnection; +import javax.net.ssl.SSLProtocolException; + +import com.google.common.base.Joiner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.apache.http.HttpResponse; +import org.apache.http.client.methods.CloseableHttpResponse; +import org.apache.http.client.methods.HttpGet; +import org.apache.http.client.methods.HttpUriRequest; +import org.apache.http.conn.ssl.SSLConnectionSocketFactory; +import org.apache.http.impl.client.HttpClientBuilder; +import org.apache.http.impl.client.HttpClients; +import org.apache.http.ssl.SSLContextBuilder; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; +import org.springframework.http.client.HttpComponentsClientHttpRequestFactory; +@Ignore +public class HttpConnectorTest { + + private static final Log log = LogFactory.getLog(HttpConnectorTest.class); + private HttpConnector connector; + + private static final String URL = "https://researchdata.ands.org.au/registry/services/oai?verb=Identify"; + private static final String URL_MISCONFIGURED_SERVER = "https://www.alexandria.unisg.ch/cgi/oai2?verb=Identify"; + private static final String URL_GOODSNI_SERVER = "https://air.unimi.it/oai/openaire?verb=Identify"; + + private static final SSLContextBuilder sslContextBuilder = new SSLContextBuilder(); + private static SSLConnectionSocketFactory sslSocketFactory; + + private static final HttpComponentsClientHttpRequestFactory httpRequestFactory = new HttpComponentsClientHttpRequestFactory(HttpClientBuilder + .create() + .setConnectionTimeToLive(0, TimeUnit.MILLISECONDS) + .setMaxConnPerRoute(1) + .setMaxConnTotal(1) + .disableAutomaticRetries() + .disableConnectionState() + .setSSLSocketFactory(sslSocketFactory) + .build()); + +// static { +// System.setProperty("javax.net.debug", "ssl,handshake"); +// System.setProperty("jsse.enableSNIExtension", "true"); +// try { +// sslContextBuilder.loadTrustMaterial(null, (chain, authType) -> true); +// SSLParameters sslParameters = new SSLParameters(); +// List sniHostNames = new ArrayList(1); +// //sniHostNames.add(new SNIHostName(url.getHost())); +// sslParameters.setServerNames(sniHostNames); +// sslSocketFactory = new SSLConnectionSocketFactory(sslContextBuilder.build().se, sslParameters); +// +// } catch (final NoSuchAlgorithmException | KeyStoreException | KeyManagementException e) { +// log.error(e);; +// } +// } + + @Before + public void setUp() { + connector = new HttpConnector(); + } + + @Test + @Ignore + public void testConnectionRelease() throws IOException, InterruptedException { + + InputStream in; + + final HttpGet get = new HttpGet("http://www.google.com"); + try(CloseableHttpResponse rsp = HttpClients.createDefault().execute(get)) { + + in = rsp.getEntity().getContent(); + } + + log.info("going to sleep ... "); + Thread.sleep(1000); + + log.info("wake up!"); + + System.out.println(IOUtils.toString(in)); + } + + @Test + @Ignore + public void testGetInputSource() throws CollectorServiceException { + System.out.println(connector.getInputSource(URL)); + } + + @Test + @Ignore + public void testMisconfiguredServers() throws CollectorServiceException { + System.out.println(connector.getInputSource(URL_MISCONFIGURED_SERVER)); + } + + @Test + @Ignore + public void testMisconfiguredServers2() throws IOException { + HttpURLConnection urlConn = (HttpURLConnection) new URL(URL_MISCONFIGURED_SERVER).openConnection(); + urlConn.getResponseMessage(); + } + + @Test + public void testDisablingSNI() throws IOException { + HttpURLConnection urlConn = null; + try { + urlConn = (HttpURLConnection) new URL(URL_MISCONFIGURED_SERVER).openConnection(); + urlConn.getResponseMessage(); + } catch(SSLProtocolException sslExce) { + if (sslExce.getMessage() != null && sslExce.getMessage().equals("handshake alert: unrecognized_name")) { + System.out.println("Server has misconfigured SSL SNI (handshake alert: unrecognized_name). Trying to disable SNI"); + if (urlConn instanceof HttpsURLConnection) { + HttpResponse res = httpRequestFactory.getHttpClient().execute(new HttpGet(URL_MISCONFIGURED_SERVER)); + System.out.println(res.getStatusLine()); +// HttpsURLConnection httpsUrlConnection = (HttpsURLConnection) urlConn; +// httpsUrlConnection.setSSLSocketFactory(sslSocketFactory); +// httpsUrlConnection.setHostnameVerifier(new HostnameVerifier() { +// public boolean verify( String s, SSLSession sess ) { +// return true; +// }}); +// httpsUrlConnection.getResponseMessage(); + } + + } + } + } + + + + + @Test + public void testGoodServers() throws CollectorServiceException { + System.out.println(connector.getInputSource(URL_GOODSNI_SERVER)); + } + + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/archives/targz/TarGzIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/archives/targz/TarGzIteratorTest.java new file mode 100644 index 0000000..241b793 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/archives/targz/TarGzIteratorTest.java @@ -0,0 +1,80 @@ +package eu.dnetlib.data.collector.plugins.archives.targz; + +import java.io.BufferedOutputStream; +import java.io.File; +import java.io.FileOutputStream; +import java.io.IOException; + +import junit.framework.Assert; + +import org.apache.commons.compress.archivers.tar.TarArchiveEntry; +import org.apache.commons.compress.archivers.tar.TarArchiveOutputStream; +import org.apache.commons.compress.compressors.gzip.GzipCompressorOutputStream; +import org.junit.Ignore; +import org.junit.Test; + +import eu.dnetlib.data.collector.plugins.archive.targz.TarGzIterator; + +@Ignore +public class TarGzIteratorTest { + + @Ignore + @Test + public void test() { + try { + int nFiles = 14860; + File f1 = createTarGzArchive(nFiles); + iterate(nFiles, f1); + // f1.delete(); + + nFiles = 5971; + File f2 = createTarGzArchive(nFiles); + iterate(nFiles, f2); + // f2.delete(); + + nFiles = 198463; + File f3 = createTarGzArchive(nFiles); + iterate(nFiles, f3); + // f3.delete(); + } catch (IOException e) { + e.printStackTrace(); + } + } + + private File createTarGzArchive(final int nFiles) throws IOException { + final StringBuilder sb = new StringBuilder(); + sb.append("Test String"); + + File targz = File.createTempFile("testTarGz", ".tar.gz"); + FileOutputStream fOut = new FileOutputStream(targz); + BufferedOutputStream bOut = new BufferedOutputStream(fOut); + GzipCompressorOutputStream gzOut = new GzipCompressorOutputStream(bOut); + TarArchiveOutputStream tOut = new TarArchiveOutputStream(gzOut); + + byte[] data = sb.toString().getBytes(); + for (int i = 0; i < nFiles; i++) { + TarArchiveEntry tarEntry = new TarArchiveEntry(String.format("%d.txt", i)); + tarEntry.setSize(data.length); + tOut.putArchiveEntry(tarEntry); + + tOut.write(data, 0, data.length); + tOut.closeArchiveEntry(); + } + + tOut.close(); + gzOut.close(); + bOut.close(); + fOut.close(); + return targz; + } + + private void iterate(final int nFiles, final File zipFile) { + TarGzIterator testedIterator = new TarGzIterator(zipFile); + int counter = 0; + while (testedIterator.hasNext()) { + testedIterator.next(); + counter++; + } + Assert.assertEquals(nFiles, counter); + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/archives/zip/ZipIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/archives/zip/ZipIteratorTest.java new file mode 100644 index 0000000..73a34e2 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/archives/zip/ZipIteratorTest.java @@ -0,0 +1,71 @@ +package eu.dnetlib.data.collector.plugins.archives.zip; + +import java.io.File; +import java.io.FileOutputStream; +import java.io.IOException; +import java.util.zip.ZipEntry; +import java.util.zip.ZipOutputStream; + +import junit.framework.Assert; + +import org.junit.Ignore; +import org.junit.Test; + +import eu.dnetlib.data.collector.plugins.archive.zip.ZipIterator; + +@Ignore +public class ZipIteratorTest { + + @Ignore + @Test + public void test() { + try { + int nFiles = 100; + File f1 = createZipArchive(nFiles); + iterate(nFiles, f1); + f1.delete(); + + nFiles = 2000; + File f2 = createZipArchive(nFiles); + iterate(nFiles, f2); + f2.delete(); + + nFiles = 124569; + File f3 = createZipArchive(nFiles); + iterate(nFiles, f3); + f3.delete(); + } catch (IOException e) { + e.printStackTrace(); + } + } + + private File createZipArchive(final int nFiles) throws IOException { + final StringBuilder sb = new StringBuilder(); + sb.append("Test String"); + + File zip = File.createTempFile("testZip", ".zip"); + final ZipOutputStream out = new ZipOutputStream(new FileOutputStream(zip)); + + for (int i = 0; i < nFiles; i++) { + ZipEntry e = new ZipEntry(String.format("%d.txt", i)); + out.putNextEntry(e); + + byte[] data = sb.toString().getBytes(); + out.write(data, 0, data.length); + out.closeEntry(); + } + + out.close(); + return zip; + } + + private void iterate(final int nFiles, final File zipFile) { + ZipIterator testedIterator = new ZipIterator(zipFile); + int counter = 0; + while (testedIterator.hasNext()) { + testedIterator.next(); + counter++; + } + Assert.assertEquals(nFiles, counter); + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/csv/CSVCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/csv/CSVCollectorPluginTest.java new file mode 100644 index 0000000..d4b9a0f --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/csv/CSVCollectorPluginTest.java @@ -0,0 +1,61 @@ +package eu.dnetlib.data.collector.plugins.csv; + +import java.net.URISyntaxException; +import java.net.URL; +import java.util.HashMap; + +import org.junit.Assert; +import org.junit.Test; + +import eu.dnetlib.data.collector.plugins.FileCSVCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +public class CSVCollectorPluginTest { + + @Test + public void testCSVHeader() throws URISyntaxException, CollectorServiceException { + URL resource = CSVCollectorPluginTest.class.getResource("/eu/dnetlib/data/collector/filesystem/csv/input.tsv"); + InterfaceDescriptor descr = new InterfaceDescriptor(); + HashMap params = new HashMap(); + params.put("header", "TrUe"); + params.put("separator", "\t"); + params.put("identifier", "56"); + descr.setBaseUrl(resource.toString()); + descr.setParams(params); + FileCSVCollectorPlugin plugin = new FileCSVCollectorPlugin(); + int i = 0; + for (String s : plugin.collect(descr, null, null)) { + Assert.assertTrue(s.length() > 0); + i++; + System.out.println(s); + break; + } + Assert.assertTrue(i > 0); + + } + + + @Test + public void testTSVQuote() throws URISyntaxException, CollectorServiceException { + URL resource = CSVCollectorPluginTest.class.getResource("/eu/dnetlib/data/collector/filesystem/csv/input-quoted.tsv"); + InterfaceDescriptor descr = new InterfaceDescriptor(); + HashMap params = new HashMap(); + params.put("header", "true"); + params.put("separator", ";"); + params.put("identifier", "0"); + params.put("quote", "\\\""); + descr.setBaseUrl(resource.toString()); + descr.setParams(params); + FileCSVCollectorPlugin plugin = new FileCSVCollectorPlugin(); + int i = 0; + for (String s : plugin.collect(descr, null, null)) { + Assert.assertTrue(s.length() > 0); + i++; + System.out.println(s); + break; + } + Assert.assertTrue(i > 0); + + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/csv/HTTPCSVCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/csv/HTTPCSVCollectorPluginTest.java new file mode 100644 index 0000000..bc549be --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/csv/HTTPCSVCollectorPluginTest.java @@ -0,0 +1,71 @@ +package eu.dnetlib.data.collector.plugins.csv; + +import java.net.URISyntaxException; +import java.util.HashMap; + +import eu.dnetlib.data.collector.plugins.HttpCSVCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.junit.Test; + +import static org.junit.Assert.assertFalse; +import static org.junit.Assert.assertTrue; + +public class HTTPCSVCollectorPluginTest { + + private String FILE_URL = HTTPCSVCollectorPluginTest.class.getResource("testCSVwithBOM.csv").toString(); + final HttpCSVCollectorPlugin plugin = new HttpCSVCollectorPlugin(); + + @Test + public void testCSVHeader() throws URISyntaxException, CollectorServiceException { + + final InterfaceDescriptor descr = new InterfaceDescriptor(); + final HashMap params = new HashMap(); + + params.put("separator", ","); + params.put("quote", "\""); + params.put("identifier", "ID"); + descr.setBaseUrl(FILE_URL); + descr.setParams(params); + + int i = 0; + for (final String s : plugin.collect(descr, null, null)) { + assertTrue(s.length() > 0); + System.out.println(s); + i++; + } + System.out.println(i); + assertTrue(i > 0); + } + + @Test + public void testVerifyQuotesOk(){ + String correct = "\"5\",\"Il Padrino\",\"EEEEEEEE \"\"ZZZZZ\"\" EEEEEEEEEE\",1970"; + assertTrue(plugin.verifyQuotes(correct, ',')); + } + + @Test + public void testVerifyQuotesWRONG(){ + String correct = "5\",\"Il Padrino\",\"EEEEEEEE \"ZZZZZ\" EEEEEEEEEE\",1970"; + assertFalse(plugin.verifyQuotes(correct, ',')); + } + + @Test + public void testSNSF(){ + 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\"" ; + assertTrue(plugin.verifyQuotes(s, ';')); + } + + @Test + public void testSNSF2(){ + 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\";\"\""; + assertTrue(plugin.verifyQuotes(s, ';')); + } + + @Test + public void testSNSFInvalid(){ + 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\";\"\""; + assertFalse(plugin.verifyQuotes(s, ';')); + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByJournalIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByJournalIteratorTest.java new file mode 100644 index 0000000..d0c04d5 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByJournalIteratorTest.java @@ -0,0 +1,42 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.util.List; + +import org.junit.Assert; +import org.junit.Before; +import org.junit.Test; + +import com.google.common.collect.Lists; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; + +public class DatasetsByJournalIteratorTest { + + @Before + public void setUp() throws Exception {} + + @Test + public void test() throws CollectorServiceException { + List inputList = Lists.newArrayList(); + + PangaeaJournalInfo jp = new PangaeaJournalInfo(); + jp.setDatasourceId("dsId1"); + jp.setJournalId("journal10825"); + jp.setJournalName("journal Name"); + inputList.add(jp); + + DatasetsByJournalIterator iterator = new DatasetsByJournalIterator(inputList.iterator()); + + int i = 0; + for (String s : iterator) { + Assert.assertNotNull(s); + if (i++ == 100) { + i--; + break; + } + } + Assert.assertEquals(i, 100); + + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectIteratorTest.java new file mode 100644 index 0000000..57dfc90 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasets/DatasetsByProjectIteratorTest.java @@ -0,0 +1,38 @@ +package eu.dnetlib.data.collector.plugins.datasets; + +import java.net.URL; +import java.util.HashMap; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.junit.Assert; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; +@Ignore +public class DatasetsByProjectIteratorTest { + + @Before + public void setUp() throws Exception {} + + @Test + public void test() throws CollectorServiceException { + URL resource = DatasetsByProjectIteratorTest.class.getResource("pangaea-eu-projects_Openaire.csv"); + InterfaceDescriptor descr = new InterfaceDescriptor(); + HashMap params = new HashMap(); + descr.setBaseUrl(resource.toString()); + descr.setParams(params); + DatasetsByProjectPlugin plugin = new DatasetsByProjectPlugin(); + Iterable result = plugin.collect(descr, "", ""); + + int i = 0; + for (String s : result) { + Assert.assertNotNull(s); + System.out.println(s); + //System.out.println("Parsed " + i++); + break; + } + + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataRepositoriesIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataRepositoriesIteratorTest.java new file mode 100644 index 0000000..cdb282e --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/datasources/Re3DataRepositoriesIteratorTest.java @@ -0,0 +1,99 @@ +package eu.dnetlib.data.collector.plugins.datasources; + +import java.io.File; +import java.io.FileOutputStream; +import java.io.IOException; +import java.util.Iterator; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import org.apache.commons.io.FileUtils; +import org.apache.commons.io.IOUtils; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +import static org.junit.Assert.*; + +@Ignore +public class Re3DataRepositoriesIteratorTest { + + private static final Log log = LogFactory.getLog(Re3DataRepositoriesIteratorTest.class); + + private static final String TMP_DIR = "/tmp/re3data/"; + int countRepos = 0; + int expectedRepos = 2189; + private Re3DataRepositoriesIterator re3dataIterator; + private String baseURL = "https://www.re3data.org"; + private String repoListURL = baseURL + "/api/v1/repositories"; + + private HttpConnector httpConnector; + + @Before + public void setUp() throws Exception { + httpConnector = new HttpConnector(); + String input = httpConnector.getInputSource(repoListURL); + re3dataIterator = new Re3DataRepositoriesIterator(IOUtils.toInputStream(input, "UTF-8"), baseURL, httpConnector); + + File tmpDir = new File(TMP_DIR); + if (tmpDir.exists()) { + log.info("deleting directory: " + tmpDir.getAbsolutePath()); + FileUtils.forceDelete(tmpDir); + } + log.info("creating directory: " + tmpDir.getAbsolutePath()); + FileUtils.forceMkdir(tmpDir); + } + + @Test + public void testHasNext() { + assertTrue(re3dataIterator.hasNext()); + } + + @Test + public void testNext() { + String repo = null; + if (re3dataIterator.hasNext()) { + repo = re3dataIterator.next(); + } + assertNotNull(repo); + } + + @Test(expected = UnsupportedOperationException.class) + public void testRemove() { + re3dataIterator.remove(); + } + + @Test + public void testIterator() throws IOException { + + for (String repo : re3dataIterator) { + + countRepos++; + assertNotNull(repo); + FileOutputStream st = new FileOutputStream(TMP_DIR + countRepos + ".xml"); + IOUtils.write(repo, st); + IOUtils.closeQuietly(st); + + + } + assertEquals(expectedRepos, countRepos); + } + + @Test + public void testBadIterator() throws IOException { + + final Iterator iter = re3dataIterator.iterator(); + + while (iter.hasNext()) { + + iter.hasNext(); + iter.next(); + + countRepos++; + } + assertEquals(expectedRepos, countRepos); + } + + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/excel/ReadExcelTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/excel/ReadExcelTest.java new file mode 100644 index 0000000..e27c1ac --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/excel/ReadExcelTest.java @@ -0,0 +1,102 @@ +package eu.dnetlib.data.collector.plugins.excel; + +import java.util.HashMap; +import java.util.Iterator; + +import eu.dnetlib.data.collector.plugins.HttpCSVCollectorPlugin; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.junit.Assert; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; +/** + * Created by miriam on 10/05/2017. + */ +@Ignore +public class ReadExcelTest { + private InterfaceDescriptor descr; + private Read r; + private Object asserNotNul; + + @Before + public void setUp() throws Exception { + descr = new InterfaceDescriptor(); + descr.setBaseUrl("https://pf.fwf.ac.at/en/research-in-practice/project-finder.xlsx?&&&search%5Bcall%5D=&search%5Bdecision_board_ids%5D=&search%5Bend_date%5D=&search%5Binstitute_name%5D=&search%5Blead_firstname%5D=&search%5Blead_lastname%5D=&search%5Bper_page%5D=10&search%5Bproject_number%5D=&search%5Bproject_title%5D=&search%5Bscience_discipline_id%5D=&search%5Bstart_date%5D=&search%5Bstatus_id%5D=&search%5Bwhat%5D=&action=index&controller=projects&locale=en&per_page=10" ); + HashMap params = new HashMap(); + + params.put("argument", "{\"replace\":{\"header\":[{\"from\":\"&\",\"to\":\"and\"}],\"body\":[{\"from\":\"\\n\",\"to\":\" \"}]}," + + "\"replace_currency\":[{\"from\":\"$\",\"to\":\"€\"}],\"col_currency\":10}"); + + params.put("argument", "{\"replace\":{\"header\":[{\"from\":\"&\",\"to\":\"and\"}],\"body\":[{\"from\":\"\\n\",\"to\":\" \"}]}," + + "\"replace_currency\":[{\"from\":\"$\",\"to\":\"€\"}],\"col_currency\":10}"); + params.put("header_row","4"); + params.put("tmp_file","//tmp//fwf.xslx"); + params.put("remove_empty_lines","yes"); + params.put("remove_lines_with_id"," – "); + params.put("col_id","1"); + params.put("remove_tmp_file","no"); + params.put("sheet_number","0"); + params.put("file_to_save","/tmp/project_search.2017.05.10.csv"); + params.put("separator", ","); + params.put("quote","\""); + descr.setParams(params); +// descr.setBaseUrl("file:///tmp/gsrt_whole.xlsx"); +// HashMap params = new HashMap(); +// +// params.put("header_row","0"); +// params.put("tmp_file","/tmp/ERC.xslx"); +// params.put("remove_empty_lines","yes"); +// params.put("remove_lines_with_id"," – "); +// params.put("col_id","2"); +// params.put("remove_tmp_file","no"); +// params.put("sheet_number","0"); +// params.put("file_to_save","/tmp/ERC.csv"); +// params.put("separator", ","); +// params.put("quote","\""); +// descr.setParams(params); +// r = new Read(descr); +// r.setCollector(new HttpCSVCollectorPlugin()); + } + + @Test + @Ignore + public void readExcelFromUrl()throws Exception{ + Iterator it = r.parseFile().iterator(); + int i = 0; + String st = null; + try { + while (it.hasNext()) { + st = it.next(); + Assert.assertNotNull(st); + i++; + //System.out.println(it.next()); + } + }catch(Exception e){ + System.out.println("linea " + i); + e.printStackTrace(); + System.out.println(st); + } + + } + +// @Test +// public void readExcelFromFile() throws Exception{ +// Iterator it = r.parseFile().iterator(); +// int i =1; +// String st = null; +// try { +// while (it.hasNext()) { +// st = it.next(); +// Assert.assertNotNull(st); +// i++; +// //System.out.println(it.next()); +// } +// }catch(Exception e){ +// System.out.println("linea " + i); +// e.printStackTrace(); +// System.out.println(st); +// } +// +// +// } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemCollectorPluginTest.java new file mode 100644 index 0000000..21befff --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemCollectorPluginTest.java @@ -0,0 +1,119 @@ +package eu.dnetlib.data.collector.plugins.filesystem; + +import java.io.FileInputStream; +import java.io.IOException; +import java.nio.file.FileVisitResult; +import java.nio.file.FileVisitor; +import java.nio.file.Files; +import java.nio.file.Path; +import java.nio.file.Paths; +import java.nio.file.SimpleFileVisitor; +import java.nio.file.attribute.BasicFileAttributes; +import java.util.HashMap; +import java.util.Iterator; + +import org.apache.commons.io.IOUtils; +import org.junit.Assert; +import org.junit.Ignore; +import org.junit.Test; + +import eu.dnetlib.data.collector.plugins.filesystem.FilesystemCollectorPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +@Ignore +public class FileSystemCollectorPluginTest { + + Path edh = Paths.get("/var/lib/eagle/content/EDH"); + Path dai = Paths.get("/var/lib/eagle/content/DAI/arachne-eagle-images-v1-flat"); + Path datacite = Paths.get("/media/andrea/xfs/datacite/output"); + + @Ignore + @Test + public void testCollection() throws CollectorServiceException { + InterfaceDescriptor descr = new InterfaceDescriptor(); + HashMap params = new HashMap(); + params.put("extensions", "xml"); + descr.setBaseUrl("file:///var/lib/eagle/content/EDH"); + descr.setParams(params); + + FilesystemCollectorPlugin plugin = new FilesystemCollectorPlugin(); + Iterable result = plugin.collect(descr, null, null); + + int counter = 0; + double totalTime = 0; + long lastTimestamp = System.currentTimeMillis(); + + for (String s : result) { + counter++; + if (counter % 10000 == 0) { + double deltaT = (System.currentTimeMillis() - lastTimestamp) / 1000.00; + totalTime += deltaT; + System.out.println("10K records collected in " + deltaT + " seconds"); + lastTimestamp = System.currentTimeMillis(); + } + Assert.assertNotNull(s); + } + System.out.println("Total " + counter + " in " + totalTime + " seconds"); + + } + + @Ignore + @Test + public void testJavaNioDirectoryStream() throws IOException { + int counter = 0; + double totalTime = 0; + long lastTimestamp = System.currentTimeMillis(); + + Iterator pathIterator = Files.newDirectoryStream(edh).iterator(); + while (pathIterator.hasNext()) { + Path next = pathIterator.next(); + FileInputStream fileInputStream = new FileInputStream(next.toString()); + String s = IOUtils.toString(fileInputStream); + counter++; + if (counter % 10000 == 0) { + double deltaT = (System.currentTimeMillis() - lastTimestamp) / 1000.00; + totalTime += deltaT; + System.out.println("10K records collected in " + deltaT + " seconds"); + lastTimestamp = System.currentTimeMillis(); + } + Assert.assertNotNull(s); + fileInputStream.close(); + } + System.out.println("Total " + counter + " in " + totalTime + " seconds"); + } + + @Test + public void testJavaNioWalkTree() throws IOException { + + FileVisitor fv = new SimpleFileVisitor() { + + int counter = 0; + double totalTime = 0; + long lastTimestamp = System.currentTimeMillis(); + + @Override + public FileVisitResult visitFile(final Path file, final BasicFileAttributes attrs) throws IOException { + FileInputStream fileInputStream = new FileInputStream(file.toString()); + String s = IOUtils.toString(fileInputStream); + Assert.assertNotNull(s); + counter++; + if (counter % 10000 == 0) { + double deltaT = (System.currentTimeMillis() - lastTimestamp) / 1000.00; + totalTime += deltaT; + System.out.println("10K records collected in " + deltaT + " seconds"); + lastTimestamp = System.currentTimeMillis(); + } + fileInputStream.close(); + return FileVisitResult.CONTINUE; + } + }; + + try { + Files.walkFileTree(edh, fv); + } catch (IOException e) { + e.printStackTrace(); + } + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorTest.java new file mode 100644 index 0000000..b526323 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorTest.java @@ -0,0 +1,49 @@ +package eu.dnetlib.data.collector.plugins.ftp; + +import java.util.Set; + +import com.google.common.collect.Sets; +import org.junit.Ignore; +import org.junit.Test; + +import static org.junit.Assert.assertFalse; +import static org.junit.Assert.assertTrue; + +@Ignore +public class FtpIteratorTest { + + private String baseUrl = "ftp://ftp.eagle.research-infrastructures.eu/content/ELTE"; + private String username = "eaglecontent"; + private String password = "$eagl3$CP"; + private boolean isRecursive = true; + private Set extensions = Sets.newHashSet("xml"); + + @Test + public void test() { + final FtpIterator iterator = new FtpIterator(baseUrl, username, password, isRecursive, extensions, null); + int i =5; + while (iterator.hasNext() && i > 0) { + iterator.next(); + i--; + } + } + + @Test + public void testIncremental() { + final FtpIterator iterator = new FtpIterator(baseUrl, username, password, isRecursive, extensions, "2016-01-04"); + assertTrue(iterator.hasNext()); + int i =5; + while (iterator.hasNext() && i > 0) { + iterator.next(); + i--; + } + } + + @Test + public void testIncrementalNoRecords() { + final FtpIterator iterator = new FtpIterator(baseUrl, username, password, isRecursive, extensions, "2017-01-04"); + assertFalse(iterator.hasNext()); + + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameTest.java new file mode 100644 index 0000000..9f40453 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/httpfilename/HTTPWithFileNameTest.java @@ -0,0 +1,113 @@ +package eu.dnetlib.data.collector.plugins.httpfilename; +import java.util.Iterator; + +import org.junit.Ignore; +import org.junit.Test; + + +/** + * Created by miriam on 07/05/2018. + */ +@Ignore +public class HTTPWithFileNameTest { + + private void iterate(Iterator iterator, boolean exit){ + try{ + while (iterator.hasNext()){ + + System.out.println(iterator.next()); + if(exit) + System.exit(0); + + + } + + }catch(Exception ex){ + ex.printStackTrace(); + } + } + + @Test + @Ignore + public void testRSCollectorFrontiers() + { + HTTPWithFileNameCollectorIterable rsc = new HTTPWithFileNameCollectorIterable("https://dev-openaire.d4science.org/RS/Frontiers/data/Frontiers/metadata/000/",null); + iterate(rsc.iterator(),false); + + } + + @Test + @Ignore + public void testRSCollectorPLOSCount() + { + HTTPWithFileNameCollectorIterable rsc = new HTTPWithFileNameCollectorIterable("https://dev-openaire.d4science.org/RS/PLOS/data/public_library_of_science/metadata/354/","article-type=\"correction\""); + Iterator iterator = rsc.iterator(); + int count = 0; + int body = 0; + int corrections = 0; + try{ + while (iterator.hasNext()){ + + String meta = iterator.next(); + if (!meta.contains("article-type=\"correction\"")){ + count++; + int index = meta.indexOf(""); + if(meta.substring(index).contains(" iterator = rsc.iterator(); + int count=0; + while (iterator.hasNext()) { + iterator.next(); + count += 1; + } + System.out.println("count = " + count); + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIteratorTest.java new file mode 100644 index 0000000..0f84bae --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIteratorTest.java @@ -0,0 +1,42 @@ +package eu.dnetlib.data.collector.plugins.httplist; + +import java.io.File; +import java.io.FileWriter; +import java.io.IOException; +import java.util.Iterator; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import org.apache.commons.io.FileUtils; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +public class HttpListIteratorTest { + + private HttpConnector httpConnector; + // Under test + private Iterator iter; + + @Before + public void setUp() throws Exception { + httpConnector = new HttpConnector(); + iter = new HttpListIterator("http://www.dlib.org/", "http://www.dlib.org/metadata/dlib_meta_files.txt", httpConnector); + } + + @Test + @Ignore + public void testHttpListIterator() throws IOException { + FileUtils.forceMkdir(new File("/tmp/dlibmagazine")); + + int i = 0; + while (iter.hasNext()) { + final String file = "/tmp/dlibmagazine/" + i++ + ".xml"; + final FileWriter fw = new FileWriter(file); + System.out.println("Download " + file); + fw.append(iter.next()); + fw.flush(); + fw.close(); + } + System.out.println("* END *"); + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/mogno/MongoDumpTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/mogno/MongoDumpTest.java new file mode 100644 index 0000000..2ed4835 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/mogno/MongoDumpTest.java @@ -0,0 +1,32 @@ +package eu.dnetlib.data.collector.plugins.mogno; + +import java.io.IOException; + +import org.junit.Assert; +import org.junit.Test; +import org.springframework.core.io.ClassPathResource; + +import eu.dnetlib.data.collector.plugins.mongo.MongoDumpPlugin; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; + +public class MongoDumpTest { + + @Test + public void test() throws CollectorServiceException, IOException { + + ClassPathResource resource = new ClassPathResource("eu/dnetlib/data/collector/plugins/inputTest.json"); + + InterfaceDescriptor id = new InterfaceDescriptor(); + id.setBaseUrl(resource.getFile().getAbsolutePath()); + MongoDumpPlugin plugin = new MongoDumpPlugin(); + + int i = 0; + for (String s : plugin.collect(id, null, null)) { + Assert.assertNotNull(s); + i++; + } + Assert.assertEquals(i, 10); + + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginRealTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginRealTest.java new file mode 100644 index 0000000..cda53bf --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginRealTest.java @@ -0,0 +1,47 @@ +package eu.dnetlib.data.collector.plugins.oai; + +import java.util.HashMap; + +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +public class OaiCollectorPluginRealTest { + + private OaiCollectorPlugin oai; + + private static final String BASE_URL = "http://oai.d.efg.research-infrastructures.eu/oai.do"; + private static final String FORMAT = "oai_dc"; + 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"; + + @Before + public void setUp() { + oai = new OaiCollectorPlugin(); + HttpConnector connector = new HttpConnector(); + OaiIteratorFactory oif = new OaiIteratorFactory(); + oif.setHttpConnector(connector); + oai.setOaiIteratorFactory(oif); + } + + @Test + @Ignore + public void testCollect() throws Exception { + final InterfaceDescriptor iface = new InterfaceDescriptor(); + iface.setId("123"); + iface.setProtocol("OAI"); + iface.setBaseUrl(BASE_URL); + iface.setParams(new HashMap()); + iface.getParams().put("format", FORMAT); + iface.getParams().put("set", SETS); + + int count = 0; + for (String s : oai.collect(iface, null, null)) { + System.out.println(s); + count++; + } + System.out.println("TOTAL: " + count); + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginTest.java new file mode 100644 index 0000000..edfb540 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginTest.java @@ -0,0 +1,95 @@ +package eu.dnetlib.data.collector.plugins.oai; + +import static org.junit.Assert.assertEquals; +import static org.junit.Assert.assertNotNull; +import static org.mockito.Mockito.verify; +import static org.mockito.Mockito.when; + +import java.util.ArrayList; +import java.util.HashMap; +import java.util.Iterator; +import java.util.List; + +import org.junit.Before; +import org.junit.Test; +import org.junit.runner.RunWith; +import org.mockito.Mock; +import org.mockito.internal.verification.Times; +import org.mockito.junit.MockitoJUnitRunner; + +import com.google.common.base.Joiner; +import com.google.common.collect.Lists; + +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolParameter; + +@RunWith(MockitoJUnitRunner.class) +public class OaiCollectorPluginTest { + + private OaiCollectorPlugin oai; + + @Mock + private OaiIteratorFactory oaiIteratorFactory; + + private List elements = Lists.newArrayList("0", "1", "2", "3", "4", "5", "6", "7", "8", "9", "10", "11", "12"); + + private Iterator oaiIterator1 = elements.subList(0, 3).iterator(); + private Iterator oaiIterator2 = elements.subList(3, 7).iterator(); + private Iterator oaiIterator3 = elements.subList(7, elements.size()).iterator(); + + private static final String BASE_URL = "http://oai.test.it/oai"; + private static final String FORMAT = "oai_dc"; + private static final String PROTOCOL = "OAI"; + private static final String SET_1 = "set01"; + private static final String SET_2 = "set02"; + private static final String SET_3 = "set03"; + + @Before + public void setUp() { + oai = new OaiCollectorPlugin(); + oai.setOaiIteratorFactory(oaiIteratorFactory); + oai.setProtocolDescriptor(new ProtocolDescriptor(PROTOCOL, new ArrayList())); + when(oaiIteratorFactory.newIterator(BASE_URL, FORMAT, SET_1, null, null)).thenReturn(oaiIterator1); + when(oaiIteratorFactory.newIterator(BASE_URL, FORMAT, SET_2, null, null)).thenReturn(oaiIterator2); + when(oaiIteratorFactory.newIterator(BASE_URL, FORMAT, SET_3, null, null)).thenReturn(oaiIterator3); + } + + public void test() { + oai = new OaiCollectorPlugin(); + } + + @Test + public void testGetProtocol() { + assertEquals(PROTOCOL, oai.getProtocol()); + } + + @Test + public void testCollect() throws Exception { + final InterfaceDescriptor iface = new InterfaceDescriptor(); + iface.setId("123"); + iface.setProtocol(PROTOCOL); + iface.setBaseUrl(BASE_URL); + iface.setParams(new HashMap()); + iface.getParams().put("format", FORMAT); + iface.getParams().put("set", Joiner.on(", ").join(SET_1, SET_2, SET_3)); + + final Iterable records = oai.collect(iface, null, null); + + assertNotNull(records); + verify(oaiIteratorFactory, new Times(0)).newIterator(BASE_URL, FORMAT, SET_1, null, null); + verify(oaiIteratorFactory, new Times(0)).newIterator(BASE_URL, FORMAT, SET_2, null, null); + verify(oaiIteratorFactory, new Times(0)).newIterator(BASE_URL, FORMAT, SET_3, null, null); + + int count = 0; + for (String s : records) { + System.out.println("RECORD: " + s); + assertEquals("" + count, s); + count++; + } + assertEquals(elements.size(), count); + verify(oaiIteratorFactory).newIterator(BASE_URL, FORMAT, SET_1, null, null); + verify(oaiIteratorFactory).newIterator(BASE_URL, FORMAT, SET_2, null, null); + verify(oaiIteratorFactory).newIterator(BASE_URL, FORMAT, SET_3, null, null); + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiIteratorTest.java new file mode 100644 index 0000000..f5c9f0e --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiIteratorTest.java @@ -0,0 +1,34 @@ +package eu.dnetlib.data.collector.plugins.oai; + +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +import eu.dnetlib.data.collector.plugins.HttpConnector; + +public class OaiIteratorTest { + + private static final String BASE_URL = "http://oai.d.efg.research-infrastructures.eu/oai.do"; + private static final String FORMAT = "oai_dc"; + private static final String SET = "d937bab1-d44c-44aa-bf7d-df5312a3b623"; + + private OaiIterator oai; + + @Before + public void setUp() { + HttpConnector httpConnector = new HttpConnector(); + httpConnector.initTrustManager(); + oai = new OaiIterator(BASE_URL, FORMAT, SET, null, null, httpConnector); + } + + @Test + @Ignore + public void test() { + int count = 0; + while (oai.hasNext()) { + oai.next(); + count++; + } + System.out.println("TOTAL: " + count); + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPluginTest.java new file mode 100644 index 0000000..b5fc3e4 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPluginTest.java @@ -0,0 +1,58 @@ +package eu.dnetlib.data.collector.plugins.oaisets; + +import java.util.HashMap; +import javax.annotation.Resource; + +import com.google.common.base.Joiner; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; +import org.junit.runner.RunWith; +import org.springframework.test.context.ContextConfiguration; +import org.springframework.test.context.junit4.SpringJUnit4ClassRunner; + +@RunWith(SpringJUnit4ClassRunner.class) +@ContextConfiguration(value = "applicationContext-OaiSetsCollectorPluginTest.xml") +public class OaiSetsCollectorPluginTest { + + private OaiSetsCollectorPlugin oaiSetsPlugin; + @Resource + OaiSetsIteratorFactory oaiSetsIteratorFactory; + + private static final String BASE_URL = "http://oai.cwi.nl/oai"; + private static final String BASE_URL_DATACITE = "http://oai.datacite.org/oai"; + + @Before + public void setUp() throws Exception { + oaiSetsPlugin = new OaiSetsCollectorPlugin(); + oaiSetsPlugin.setOaiSetsIteratorFactory(oaiSetsIteratorFactory); + } + + @Ignore + @Test + public void testCollect() throws CollectorServiceException { + final InterfaceDescriptor iface = new InterfaceDescriptor(); + iface.setId("123"); + iface.setProtocol("oai_set"); + iface.setBaseUrl(BASE_URL); + iface.setParams(new HashMap()); + + Iterable sets = oaiSetsPlugin.collect(iface, null, null); + System.out.println(Joiner.on(",").join(sets)); + } + + @Ignore + @Test + public void testCollectDatacite() throws CollectorServiceException { + final InterfaceDescriptor iface = new InterfaceDescriptor(); + iface.setId("123"); + iface.setProtocol("oai_set"); + iface.setBaseUrl(BASE_URL_DATACITE); + iface.setParams(new HashMap()); + + Iterable sets = oaiSetsPlugin.collect(iface, null, null); + System.out.println(Joiner.on(",").join(sets)); + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/opentrial/OpentrialTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/opentrial/OpentrialTest.java new file mode 100644 index 0000000..10d5a80 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/opentrial/OpentrialTest.java @@ -0,0 +1,32 @@ +package eu.dnetlib.data.collector.plugins.opentrial; + +/** + * Created by miriam on 07/03/2017. + */ + +import java.io.BufferedWriter; +import java.io.FileWriter; +import java.io.PrintWriter; +import java.util.Iterator; + +import org.junit.Ignore; +import org.junit.Test; + +@Ignore +public class OpentrialTest { + + @Test + public void importOpentrial() throws Exception { + PrintWriter writer = new PrintWriter(new BufferedWriter(new FileWriter("opentrials.xml"))); + OpenTrialIterator trial = new OpenTrialIterator("https://api.opentrials.net/v1/search?",null,null); + Iterator iterator = trial.iterator(); + int parse_number = 0; + while(iterator.hasNext() && parse_number < 30){ + writer.println("" + iterator.next() + ""); + parse_number++; + } + writer.close(); + + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/grist/GristProjectsIterableTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/grist/GristProjectsIterableTest.java new file mode 100644 index 0000000..ced5085 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/grist/GristProjectsIterableTest.java @@ -0,0 +1,114 @@ +package eu.dnetlib.data.collector.plugins.projects.grist; + +import java.io.File; +import java.io.IOException; +import java.util.Iterator; +import java.util.List; +import java.util.Set; + +import com.google.common.collect.Lists; +import com.google.common.collect.Sets; +import org.apache.commons.io.FileUtils; +import org.apache.commons.io.IOUtils; +import org.dom4j.Document; +import org.dom4j.DocumentException; +import org.dom4j.io.SAXReader; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +import static org.junit.Assert.assertNotNull; +import static org.junit.Assert.assertTrue; + +/** + * GristProjectsIterable Tester. + * + * @author alessia + * @version 1.0 + * @since

Apr 22, 2016
+ */ +@Ignore +public class GristProjectsIterableTest { + + private String baseUrl = "http://www.ebi.ac.uk/europepmc/GristAPI/rest/get/query=ga:%22Wellcome%20Trust%22&resultType=core"; + private GristProjectsIterable iterable; + private Iterator it; + private SAXReader reader; + + @Before + public void before() throws Exception { + iterable = new GristProjectsIterable(baseUrl); + it = iterable.iterator(); + reader = new SAXReader(); + } + + /** + * Method: hasNext() + */ + @Test + public void testHasNext() throws Exception { + assertTrue(it.hasNext()); + } + + /** + * Method: next() + */ + @Test + public void testNext() throws Exception { + assertNotNull(it.next()); + } + + /** + * Method: remove() + */ + @Test(expected = UnsupportedOperationException.class) + public void testRemove() throws Exception { + it.remove(); + } + + @Test + public void iterateToNextPage() { + for (int maxInPage = 25; maxInPage > 0; maxInPage--) { + it.next(); + } + if (it.hasNext()) { + System.out.println(it.next()); + } + } + + @Test + public void checkProjectIdentifiers() throws DocumentException, IOException { + List identifiers = Lists.newArrayList(); + List duplicates = Lists.newArrayList(); + Iterator it2 = iterable.iterator(); + while (it2.hasNext()) { + String id = parseId(it2.next()); + if (identifiers.contains(id)) { + System.out.println("Found duplicate identifier: " + id); + duplicates.add(id); + } + identifiers.add(id); + } + + int listSize = identifiers.size(); + System.out.println("Total grant ids " + listSize); + Set set = Sets.newHashSet(identifiers); + Set dupSet = Sets.newHashSet(duplicates); + System.out.println("Unique grant ids: " + set.size()); + System.out.println("Duplicate grant ids: " + dupSet.size()); + System.out.println(); + serializeSetOnFile(dupSet); + } + + private String parseId(String record) throws DocumentException { + Document doc = reader.read(IOUtils.toInputStream(record)); + return doc.selectSingleNode("//Grant/Id").getText(); + } + + private void serializeSetOnFile(Set s) throws IOException { + File tmpDir = FileUtils.getTempDirectory(); + System.out.println("Saving list in " + tmpDir.getAbsolutePath()); + FileUtils.writeLines(FileUtils.getFile(tmpDir, "WT_duplicates.txt"), s); + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2Test.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2Test.java new file mode 100644 index 0000000..fb13364 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/gtr2/Gtr2Test.java @@ -0,0 +1,105 @@ +package eu.dnetlib.data.collector.plugins.projects.gtr2; + +import java.util.Iterator; + +import com.ximpleware.VTDGen; +import eu.dnetlib.data.collector.plugins.HttpConnector; +import eu.dnetlib.miscutils.functional.xml.TryIndentXmlString; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +import static org.junit.Assert.assertEquals; +import static org.junit.Assert.assertNotNull; + +@Ignore +public class Gtr2Test { + + private String baseURL = "http://gtr.rcuk.ac.uk/gtr/api"; + private Gtr2Helper helper; + private Gtr2ProjectsIterable it; + private HttpConnector connector; + + @Before + public void prepare() { + helper = new Gtr2Helper(); + //System.setProperty("jsse.enableSNIExtension","false"); + } + + @Test + public void testOne() throws Exception { + System.out.println("one project"); + VTDGen vg_tmp = new VTDGen(); + connector = new HttpConnector(); + byte[] bytes = connector.getInputSource("http://gtr.rcuk.ac.uk/gtr/api/projects/E178742B-571B-498F-8402-122F17C47546").getBytes("UTF-8"); + //vg_tmp.parseHttpUrl("https://gtr.rcuk.ac.uk/gtr/api/projects/E178742B-571B-498F-8402-122F17C47546", false); + vg_tmp.setDoc(bytes); + vg_tmp.parse(false); + String s = helper.processProject(vg_tmp.getNav(), "xmlns:ns=\"http:///afgshs\""); + System.out.println(s); + } + + @Test + public void testPaging() throws Exception { + it = new Gtr2ProjectsIterable(baseURL, null, 2, 3); + TryIndentXmlString indenter = new TryIndentXmlString(); + Iterator iterator = it.iterator(); + while (iterator.hasNext()) { + Thread.sleep(300); + String res = iterator.next(); + assertNotNull(res); + indenter.evaluate(res); + } + } + + @Test + public void testOnePage() throws Exception { + it = new Gtr2ProjectsIterable(baseURL, null, 12, 12); + int count = iterateAndCount(it.iterator()); + assertEquals(20, count); + } + + @Test + public void testIncrementalHarvestingNoRecords() throws Exception { + System.out.println("incremental Harvesting"); + it = new Gtr2ProjectsIterable(baseURL, "2050-12-12", 11, 13); + int count = iterateAndCount(it.iterator()); + assertEquals(0, count); + } + + @Test + public void testIncrementalHarvesting() throws Exception { + System.out.println("incremental Harvesting"); + it = new Gtr2ProjectsIterable(baseURL, "2016-11-30", 11, 11); + int count = iterateAndCount(it.iterator()); + assertEquals(20, count); + } + + @Test + public void testMultithreading() throws Exception { + System.out.println("testing new multithreading configuration"); + it = new Gtr2ProjectsIterable(baseURL, null); + TryIndentXmlString indenter = new TryIndentXmlString(); + it.setEndAtPage(3); + Iterator iterator = it.iterator(); + while (iterator.hasNext()) { + String res = iterator.next(); + assertNotNull(res); + // System.out.println(res); +// Scanner keyboard = new Scanner(System.in); +// System.out.println("press enter for next record"); +// keyboard.nextLine(); + + } + } + + private int iterateAndCount(final Iterator iterator) throws Exception{ + int i = 0; + while (iterator.hasNext()) { + assertNotNull(iterator.next()); + i++; + } + System.out.println("Got "+i+" projects"); + return i; + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/gtr2/VTDXMLTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/gtr2/VTDXMLTest.java new file mode 100644 index 0000000..9c54e6b --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/projects/gtr2/VTDXMLTest.java @@ -0,0 +1,125 @@ +package eu.dnetlib.data.collector.plugins.projects.gtr2; + +import java.io.BufferedWriter; +import java.io.ByteArrayOutputStream; +import java.io.FileWriter; +import java.io.PrintWriter; + +import com.ximpleware.AutoPilot; +import com.ximpleware.VTDGen; +import com.ximpleware.VTDNav; +import org.apache.commons.lang3.StringUtils; +import org.junit.Ignore; +import org.junit.Test; +@Ignore +public class VTDXMLTest { + + private VTDGen vg; + private VTDNav vn; + private AutoPilot ap; + + private VTDGen vg_tmp; + private VTDNav vn_tmp; + private AutoPilot ap_tmp; + + private PrintWriter writer; + //TODO: use resource and not full path + private String inputFilePath = + "/Users/alessia/workspace/dnet/dnet-collector-plugins/src/test/resources/eu.dnetlib.data.collector.plugins.projects.gtr2/projects.xml"; + + @Test + public void test() throws Exception { + vg = new VTDGen(); + vg.parseFile(inputFilePath, false); + vn = vg.getNav(); + ap = new AutoPilot(vn); + String ns = ""; + ap.selectXPath(".//projects"); + ap.evalXPath(); + ns += "xmlns:ns1=\"" + vn.toNormalizedString(vn.getAttrVal("ns1")) + "\" "; + ns += "xmlns:ns2=\"" + vn.toNormalizedString(vn.getAttrVal("ns2")) + "\" "; + ns += "xmlns:ns3=\"" + vn.toNormalizedString(vn.getAttrVal("ns3")) + "\" "; + ns += "xmlns:ns4=\"" + vn.toNormalizedString(vn.getAttrVal("ns4")) + "\" "; + ns += "xmlns:ns5=\"" + vn.toNormalizedString(vn.getAttrVal("ns5")) + "\" "; + ns += "xmlns:ns6=\"" + vn.toNormalizedString(vn.getAttrVal("ns6")) + "\" "; + + ap.selectXPath("//project"); + int res = -1; + ByteArrayOutputStream b = new ByteArrayOutputStream(); + int i = 0; + while ((res = ap.evalXPath()) != -1) { + writer = new PrintWriter(new BufferedWriter(new FileWriter("projectPackage_"+(++i)+".xml"))); + System.out.println(res); + writer.println(""); + writeFragment(vn); + VTDNav clone = vn.cloneNav(); + AutoPilot ap2 = new AutoPilot(clone); + ap2.selectXPath(".//link[@rel='FUND']"); + vg_tmp = new VTDGen(); + + while (ap2.evalXPath() != -1) { + //String fund = clone.toNormalizedString(clone.getAttrVal("href")); + evalXpath(clone.toNormalizedString(clone.getAttrVal("href")), ".//link[@rel='FUNDER']"); + String funder = vn_tmp.toNormalizedString(vn_tmp.getAttrVal("href")); + vn_tmp.toElement(VTDNav.ROOT); + writeFragment(vn_tmp); + writeNewTagAndInfo(funder, "//name", " ", "", null); + } + ap2.resetXPath(); + ap2.selectXPath(".//link[@rel='LEAD_ORG']"); + while (ap2.evalXPath() != -1) { + writeNewTagAndInfo(clone.toNormalizedString(clone.getAttrVal("href")), "//name", "", "", null); + writeNewTagAndInfo(clone.toNormalizedString(clone.getAttrVal("href")), ".", "", "", "id"); + } + ap2.resetXPath(); + ap2.selectXPath(".//link[@rel='PP_ORG']"); + while (ap2.evalXPath() != -1) { + writeNewTagAndInfo(clone.toNormalizedString(clone.getAttrVal("href")), "//name", "", "", null); + writeNewTagAndInfo(clone.toNormalizedString(clone.getAttrVal("href")), ".", "", "", "id"); + } + ap2.resetXPath(); + + ap2.selectXPath(".//link[@rel='PI_PER']"); + while (ap2.evalXPath() != -1) { + setNavigator(clone.toNormalizedString(clone.getAttrVal("href"))); + vn_tmp.toElement(VTDNav.ROOT); + writeFragment(vn_tmp); + } + writer.println(""); + writer.close(); + } + + } + + private void setNavigator(String httpUrl) { + vg_tmp.clear(); + vg_tmp.parseHttpUrl(httpUrl, false); + vn_tmp = vg_tmp.getNav(); + } + + private int evalXpath(String httpUrl, String xPath) throws Exception { + setNavigator(httpUrl); + ap_tmp = new AutoPilot(vn_tmp); + ap_tmp.selectXPath(xPath); + return ap_tmp.evalXPath(); + } + + private void writeFragment(VTDNav nav) throws Exception { + ByteArrayOutputStream b = new ByteArrayOutputStream(); + nav.dumpFragment(b); + writer.println(b); + b.reset(); + } + + private void writeNewTagAndInfo(String search, String xPath, String xmlOpenTag, String xmlCloseTag, String attrName) throws Exception { + int nav_res = evalXpath(search, xPath); + if (nav_res != -1) { + writer.println(xmlOpenTag); + if(StringUtils.isNotBlank(attrName)) writer.println(vn_tmp.toNormalizedString(vn_tmp.getAttrVal(attrName))); + else + writer.println(vn_tmp.toNormalizedString(vn_tmp.getText())); + writer.println(xmlCloseTag); + } + } + +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/rest/RestCollectorPluginTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/rest/RestCollectorPluginTest.java new file mode 100644 index 0000000..bb8cc4e --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/rest/RestCollectorPluginTest.java @@ -0,0 +1,80 @@ +/** + * + */ +package eu.dnetlib.data.collector.plugins.rest; + +import java.util.HashMap; + +import org.junit.Assert; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import eu.dnetlib.data.collector.rmi.ProtocolDescriptor; + +/** + * @author js, Andreas Czerniak + * + */ +public class RestCollectorPluginTest { + + private String baseUrl = "https://share.osf.io/api/v2/search/creativeworks/_search"; + private String resumptionType = "count"; + private String resumptionParam = "from"; + private String entityXpath = "//hits/hits"; + private String resumptionXpath = "//hits"; + private String resultTotalXpath = "//hits/total"; + private String resultFormatParam = "format"; + private String resultFormatValue = "json"; + private String resultSizeParam = "size"; + private String resultSizeValue = "10"; + // private String query = "q=%28sources%3ASocArXiv+AND+type%3Apreprint%29"; + private String query = "q=%28sources%3AengrXiv+AND+type%3Apreprint%29"; + // private String query = "=(sources:engrXiv AND type:preprint)"; + + private String protocolDescriptor = "rest_json2xml"; + private InterfaceDescriptor ifDesc = new InterfaceDescriptor(); + private RestCollectorPlugin rcp; + + @Before + public void setUp() { + HashMap params = new HashMap<>(); + params.put("resumptionType", resumptionType); + params.put("resumptionParam", resumptionParam); + params.put("resumptionXpath", resumptionXpath); + params.put("resultTotalXpath", resultTotalXpath); + params.put("resultFormatParam", resultFormatParam); + params.put("resultFormatValue", resultFormatValue); + params.put("resultSizeParam", resultSizeParam); + params.put("resultSizeValue", resultSizeValue); + params.put("queryParams", query); + params.put("entityXpath", entityXpath); + + ifDesc.setBaseUrl(baseUrl); + ifDesc.setParams(params); + + ProtocolDescriptor pd = new ProtocolDescriptor(); + pd.setName(protocolDescriptor); + rcp = new RestCollectorPlugin(); + rcp.setProtocolDescriptor(pd); + } + + @Ignore + @Test + public void test() throws CollectorServiceException{ + + int i = 0; + for (String s : rcp.collect(ifDesc, "", "")) { + Assert.assertTrue(s.length() > 0); + i++; + System.out.println(s); + if (i > 200) + break; + } + System.out.println(i); + Assert.assertTrue(i > 0); + } +} + diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/rest/RestIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/rest/RestIteratorTest.java new file mode 100644 index 0000000..d1d8279 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/rest/RestIteratorTest.java @@ -0,0 +1,41 @@ +/** + * + */ +package eu.dnetlib.data.collector.plugins.rest; + +import org.junit.Ignore; +import org.junit.Test; + +/** + * + * @author js, Andreas Czerniak + * @date 2018-08-06 + */ +public class RestIteratorTest { + + private String baseUrl = "https://share.osf.io/api/v2/search/creativeworks/_search"; + private String resumptionType = "count"; + private String resumptionParam = "from"; + private String resumptionXpath = ""; + private String resultTotalXpath = "//hits/total"; + private String entityXpath = "//hits/hits"; + private String resultFormatParam = "format"; + private String resultFormatValue = "Json"; // Change from lowerCase to one UpperCase + private String resultSizeParam = "size"; + private String resultSizeValue = "10"; // add new + private String query = "q=%28sources%3ASocArXiv+AND+type%3Apreprint%29"; + + + @Ignore + @Test + public void test(){ + final RestIterator iterator = new RestIterator(baseUrl, resumptionType, resumptionParam, resumptionXpath, resultTotalXpath, resultFormatParam, resultFormatValue, resultSizeParam, resultSizeValue, query, entityXpath); + int i =20; + while (iterator.hasNext() && i > 0) { + String result = iterator.next(); + + i--; + } + } +} + diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgSitemapIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgSitemapIteratorTest.java new file mode 100644 index 0000000..1bfad29 --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/schemaorg/SchemaOrgSitemapIteratorTest.java @@ -0,0 +1,74 @@ +package eu.dnetlib.data.collector.plugins.schemaorg; + +import eu.dnetlib.data.collector.plugins.schemaorg.sitemapindex.SitemapFileIterator; +import eu.dnetlib.data.collector.rmi.CollectorServiceException; +import eu.dnetlib.data.collector.rmi.InterfaceDescriptor; +import org.junit.Assert; +import org.junit.Before; +import org.junit.Ignore; +import org.junit.Test; + +import java.net.URL; +import java.nio.charset.StandardCharsets; +import java.util.ArrayList; +import java.util.HashMap; +import java.util.List; +import java.util.concurrent.TimeUnit; + +@Ignore +public class SchemaOrgSitemapIteratorTest { + @Before + public void setUp() throws Exception { + } + + @Test + public void test() throws CollectorServiceException { + URL resource = SchemaOrgSitemapIteratorTest.class.getResource("sitemap.xml"); + + HashMap params = new HashMap<>(); + params.put("repositoryAccessType", "sitemapindex"); + params.put("consumerBlockPolling", Boolean.toString(true)); + params.put("consumerBlockPollingTimeout", "2"); + params.put("consumerBlockPollingTimeoutUnit", TimeUnit.MINUTES.toString()); + params.put("endpointCharset", StandardCharsets.UTF_8.name()); + params.put("updatedDateFormat", "YYYY-MM-DD"); + params.put("createdDateFormat", "YYYY-MM-DD"); + params.put("publicationDateFormat", "YYYY-MM-DD"); + params.put("contributorFallbackType", DatasetDocument.Contributor.ContributorType.Other.toString()); + params.put("identifierFallbackType", null); + params.put("identifierFallbackURL", Boolean.toString(true)); + params.put("identifierMappingARK", "ark, ARK"); + params.put("identifierMappingDOI", "doi, DOI"); + params.put("identifierMappingHandle", "Handle, HANDLE"); + params.put("identifierMappingPURL", "purl, PURL"); + params.put("identifierMappingURN", "urn, URN"); + params.put("identifierMappingURL", "url, URL"); + + params.put("repositoryAccessType", "sitemapindex"); + params.put("sitemap_queueSize", "100"); + params.put("sitemap_IndexCharset", StandardCharsets.UTF_8.name()); + params.put("sitemap_FileCharset", StandardCharsets.UTF_8.name()); + params.put("sitemap_FileSchema", SitemapFileIterator.Options.SitemapSchemaType.Text.toString()); + params.put("sitemap_FileType", SitemapFileIterator.Options.SitemapFileType.Text.toString()); + + InterfaceDescriptor descriptor = new InterfaceDescriptor(); + descriptor.setId("schema.org - reactome"); + descriptor.setBaseUrl(resource.toString()); + descriptor.setParams(params); + + SchemaOrgPlugin schemaOrgPlugin = new SchemaOrgPlugin(); + + Iterable iterable = schemaOrgPlugin.collect(descriptor, null, null); + + List lengths =new ArrayList<>(); + int count =0; + for(String item : iterable) { + count += 1; + lengths.add(item.length()); + } + Assert.assertEquals(2, count); + Assert.assertEquals(1626, (int)lengths.get(0)); + Assert.assertEquals(48, (int)lengths.get(1)); + + } +} diff --git a/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorTest.java b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorTest.java new file mode 100644 index 0000000..43ffcac --- /dev/null +++ b/dnet-data-services/src/test/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorTest.java @@ -0,0 +1,110 @@ +package eu.dnetlib.data.collector.plugins.sftp; + +import java.net.URI; +import java.net.URISyntaxException; +import java.util.Set; + +import com.google.common.collect.Sets; +import com.jcraft.jsch.*; +import org.apache.commons.logging.Log; +import org.apache.commons.logging.LogFactory; +import org.joda.time.DateTime; +import org.joda.time.format.DateTimeFormat; +import org.joda.time.format.DateTimeFormatter; +import org.junit.Ignore; +import org.junit.Test; + +import static org.junit.Assert.assertFalse; +import static org.junit.Assert.assertTrue; + +/** + * Created by andrea on 12/01/16. + */ +@Ignore +public class SftpIteratorTest { + + private static final Log log = LogFactory.getLog(SftpIteratorTest.class); +/* + private String baseUrl = "sftp://fts.ec.europa.eu/H2020"; + private String username = "openaire"; + private String password = "I732x6854e"; +*/ + + private String baseUrl = "sftp://node6.t.openaire.research-infrastructures.eu/corda_h2020/"; + private String username = "openaire"; + private String password = "OpenDnet."; + + + private boolean isRecursive = true; + private Set extensions = Sets.newHashSet("xml"); + + private int mtime = 1458471600; + private String mtimeStr = "Sun Mar 20 12:00:00 CET 2016"; + + @Ignore + @Test + public void test() { + SftpIterator iterator = new SftpIterator(baseUrl, username, password, isRecursive, extensions, null); + while (iterator.hasNext()) { + String remotePath = iterator.next(); + System.out.println(remotePath); + } + } + + @Ignore + @Test + public void timeTest() throws JSchException, SftpException, URISyntaxException { + URI sftpServer = new URI(baseUrl); + final String sftpURIScheme = sftpServer.getScheme(); + final String sftpServerAddress = sftpServer.getHost(); + final String remoteSftpBasePath = sftpServer.getPath(); + JSch jsch = new JSch(); + JSch.setConfig("StrictHostKeyChecking", "no"); + Session sftpSession = jsch.getSession(username, sftpServerAddress); + sftpSession.setPassword(password); + sftpSession.connect(); + + Channel channel = sftpSession.openChannel(sftpURIScheme); + channel.connect(); + ChannelSftp sftpChannel = (ChannelSftp) channel; + sftpChannel.cd(sftpChannel.pwd() + remoteSftpBasePath); + log.info("Connected to SFTP server " + sftpServerAddress); + + final SftpATTRS lstat = sftpChannel.lstat("H20_OpenAire_Project_633002.xml"); + int mtime = lstat.getMTime(); + String mtimeStr = lstat.getMtimeString(); + log.info("mtime int: " + mtime); + log.info("mtime string: " + mtimeStr); + + sftpChannel.exit(); + sftpSession.disconnect(); + + log.info("trying to get Date from mtimestring"); + DateTime dt = new DateTime(mtimeStr); + log.info("Joda DateTime from mtimeString: " + dt.toString()); + } + + @Test + public void timeTestParseString() { + log.info("trying to get DateTime from mtimestring"); + //DateTimeFormatter formatter = DateTimeFormat.forPattern("EEE MMM dd HH:mm:ss 'CET' yyyy"); + DateTimeFormatter formatter = DateTimeFormat.forPattern("EEE MMM dd %"); + DateTime dt = DateTime.parse(mtimeStr, formatter); + log.info("Joda DateTime from mtimeString: " + dt.toString()); + } + + @Test + public void testTimeFromInt() { + DateTime dt = new DateTime(mtime * 1000L); + log.info("Joda DateTime from mtimeInt: " + dt.toString()); + } + + @Test + public void timeTestAfter() { + DateTime dt = new DateTime(mtime * 1000L); + DateTime now = new DateTime(); + assertFalse(now.isBefore(dt)); + assertTrue(now.isAfter(dt)); + } + +} \ No newline at end of file diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input-quoted.tsv b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input-quoted.tsv new file mode 100644 index 0000000..784c3e9 --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input-quoted.tsv @@ -0,0 +1,4 @@ +"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" +"{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";"";"";"" +"{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";"";"";"" +"{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";"";"";"" \ No newline at end of file diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input.tsv b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input.tsv new file mode 100644 index 0000000..f478ae3 --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input.tsv @@ -0,0 +1,20 @@ +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 +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 +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 +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 +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 +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 +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 +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-/- 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 +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 +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 +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 +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 +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 +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 +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 +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 +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 +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 +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 +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 diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/csv/testCSVwithBOM.csv b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/csv/testCSVwithBOM.csv new file mode 100644 index 0000000..04eb960 --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/csv/testCSVwithBOM.csv @@ -0,0 +1,6 @@ +"ID","TITLE","ABSTRACT","YEAR" +1,"La divina commedia","AAAAAAAAAAAAAAAAAAAAAAA",2012 +2,"I Promessi Sposi","BBBBBBBBBBBBBBBBBB",2010 +3,"Il Piccolo Principe","CCCCCCCCCCCCCCCCCCCCCCCC",1990 +4,"Harry Potter","DDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDD",2001 +5,"Il Padrino","EEEEEEEEEEEEEEEEEE",1970 \ No newline at end of file diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/datasets/pangaea-eu-projects_Openaire.csv b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/datasets/pangaea-eu-projects_Openaire.csv new file mode 100644 index 0000000..b902b9b --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/datasets/pangaea-eu-projects_Openaire.csv @@ -0,0 +1,16 @@ +4148;FondTara;Fondation Tara Expeditions;tara________::1 +60;QUEEN;Quaternary Environment of the Eurasian North;corda_______::304178 +4106;EPOCA;European Project on Ocean Acidification;corda_______::211384 +4119;HERMIONE;Hotspot Ecosystem Research and Mans Impact On European Seas;corda_______::226354 +4122;HYPOX;In situ monitoring of oxygen depletion in hypoxic ecosystems of coastal and open seas and land-locked water bodies;corda_______::226213 +4127;CoralFISH;Ecosystem based management of corals, fish and fisheries in the deep waters of Europe and beyond;corda_______::213144 +4129;ice2sea;ice2sea;corda_______::226375 +4138;ECO2;Sub-seabed CO2 Storage: Impact on Marine Ecosystems;corda_______::265847 +4142;MedSeA;Mediterranean Sea Acidification in a Changing Climate;corda_______::265103 +4145;DARCLIFE;Deep subsurface Archaea: carbon cycle, life strategies, and role in sedimentary ecosystems;corda_______::247153 +4147;EURO-BASIN;Basin Scale Analysis, Synthesis and Integration;corda_______::264933 +4154;Past4Future;Climate Change: Learning from the past climate;corda_______::243908 +4172;CARBOCHANGE;Changes in the carbon uptake and emissions by oceans in a changing climate;corda_______::264879 +4175;ERA-CLIM;European Reanalysis of Global Climate Observations;corda_______::265229 +4181;PAGE21;Changing Permafrost in the Arctic and its Global Effects in the 21st Century;corda_______::282700 +4182;MicroB3;MicroB3 - Microbial Biodiversity, Bioinformatics and Biotechnology;corda_______::308299 \ No newline at end of file diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/datasets/pangaea-journals.csv b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/datasets/pangaea-journals.csv new file mode 100644 index 0000000..a8a46af --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/datasets/pangaea-journals.csv @@ -0,0 +1,16668 @@ +1|A + U-Architecture and Urbanism| |0389-9160|Monthly| |A & U PUBL CO LTD +2|A Rocha Observatory Report| | |Annual| |AROCHA TRUST +3|AAA-Arbeiten aus Anglistik und Amerikanistik| |0171-5410|Semiannual| |GUNTER NARR VERLAG +4|AAAAI Annual Meeting Abstracts of Scientific Papers| | |Annual| |MOSBY-ELSEVIER +5|AAAS Annual Meeting and Science Innovation Exposition| | |Annual| |AMER ASSOC ADVANCEMENT SCIENCE +6|AACL Bioflux| |1844-8143|Quarterly| |BIOFLUX SRL +7|AAPG Bulletin|Geosciences / Petroleum|0149-1423|Monthly| |AMER ASSOC PETROLEUM GEOLOGIST +8|AAPS Journal|Pharmacology & Toxicology /|1550-7416|Quarterly| |SPRINGER +9|AAPS PharmSciTech|Pharmacology & Toxicology /|1530-9932|Quarterly| |SPRINGER +10|Aardkundige Mededelingen| |0250-7803|Irregular| |LEUVEN UNIV PRESS +11|AASP Contributions Series| |0160-8843|Irregular| |AMER ASSOC STRATIGRAPHIC PALYNOLOGISTS FOUNDATION +12|AATCC Review|Materials Science|1532-8813|Monthly| |AMER ASSOC TEXTILE CHEMISTS COLORISTS +13|ABA Bank Marketing| |1539-7890|Monthly| |BANK MARKETING ASSOC +14|Abacus-A Journal of Accounting Finance and Business Studies|Economics & Business / Accounting; Finance|0001-3072|Tri-annual| |WILEY-BLACKWELL PUBLISHING +15|ABC Taxa| |1784-1291|Irregular| |Royal Belgian Institute of Natural Sciences +16|Abdominal Imaging|Clinical Medicine / Abdomen; Diagnostic imaging; Gastrointestinal system; Urinary organs; Diagnostic Imaging; Gastrointestinal Diseases; Urologic Diseases; Tractus gastro-intestinal; Gastroentérologie; Maagdarmstelsel; Radiodiagnostiek; Echografie|0942-8925|Bimonthly| |SPRINGER +17|Abhandlung Naturhistorische Gesellschaft Nuernberg| |0077-6149|Irregular| |NATURHISTORISCHE GESELLSCHAFT NUERNBERG E V +18|Abhandlungen aus dem Mathematischen Seminar der Universität Hamburg|Mathematics / Mathematics|0025-5858|Annual| |SPRINGER HEIDELBERG +19|Abhandlungen aus dem Westfaelischen Museum fuer Naturkunde| |0175-3495|Quarterly| |WESTFAELISCHES MUSEUM NATURKUNDE +20|Abhandlungen der Delattinia| |0948-6526|Annual| |EIGENVERLAG DELATTINIA +21|Abhandlungen der Geologischen Bundesanstalt-Vienna| |0378-0864|Irregular| |GEOLOGISCHE BUNDESANSTALT +22|Abhandlungen der Senckenberg Gesellschaft fur Naturforschung| |1868-0356|Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +23|Abhandlungen der Zoologisch-Botanischen Gesellschaft in Oesterreich| |0084-5639|Irregular| |ZOOLOGISCH-BOTANISCHE GESELLSCHAFT IN OESTERREICH +24|Abhandlungen des Naturwissenschaftlichen Vereins zu Bremen|natural science|0340-3718|Irregular|http://www.nwv-bremen.de/publik/|NATURWISSENSCHAFTLICHER VEREIN ZU BREMEN +25|Abhandlungen und Berichte aus dem Museum Heineanum| |0947-1057|Irregular| |MUSEUM HEINEANUM +26|Abhandlungen und Berichte des Museums der Natur Gotha| |0138-1857|Irregular| |MUSEUM NATUR GOTHA +27|Abhandlungen und Berichte des Naturkundemuseums Goerlitz| |0373-7586|Semiannual| |STAATLICHES MUSEUM NATURKUNDE GOERLITZ +28|Abhandlungen und Berichte fuer Naturkunde| |0945-7658|Annual| |MUSEUM NATURKUNDE +29|Abstract and Applied Analysis|Mathematics / Mathematical analysis|1085-3375|Monthly| |HINDAWI PUBLISHING CORPORATION +30|Abstracts of Papers of the American Chemical Society| |0065-7727|Semiannual| |AMER CHEMICAL SOC +31|Abstracts of the General Meeting of the American Society for Microbiology| |1060-2011|Annual| |AMER SOC MICROBIOLOGY +32|Abstracts of the Interscience Conference on Antimicrobial Agents and Chemotherapy| |0733-6373|Annual| |AMER SOC MICROBIOLOGY +33|Academia Nacional de Ciencias-Cordoba Argentina-Miscelanea| |0325-3406|Irregular| |ACAD NACIONAL CIENCIAS +34|Academia-Revista Latinoamericana de Administracion|Economics & Business|1012-8255|Semiannual| |CONSEJO LATINOAMERICANO ESCUELAS ADM-CLADEA +35|Academic Emergency Medicine|Clinical Medicine / Emergency medicine; Emergency Medicine; Geneeskunde; Spoedgevallen; Ongevallen; Médecine d'urgence|1069-6563|Monthly| |WILEY-BLACKWELL PUBLISHING +36|Academic Journal of Entomology| |1995-8994|Semiannual| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +37|Academic Medicine|Clinical Medicine / Medical education; Medicine; Education, Medical; Geneeskunde; Onderwijs; Médecine; Enseignement médical|1040-2446|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +38|Academic Pediatrics|Clinical Medicine /|1876-2859|Bimonthly| |ELSEVIER SCIENCE INC +39|Academic Psychiatry|Psychiatry/Psychology / Psychiatry|1042-9670|Quarterly| |AMER PSYCHIATRIC PUBLISHING +40|Academic Radiology|Clinical Medicine / Radiography; Radiology|1076-6332|Monthly| |ELSEVIER SCIENCE INC +41|Academie Royale des Sciences D Outre-Mer Bulletin des Seances| |0001-4176|Quarterly| |ACAD ROYAL SCI +42|Academie Royale des Sciences D Outre-Mer Memoires Classe des Sciences Naturelles et Medicales| |0379-1920|Quarterly| |ACAD ROYAL SCI +43|Academie Serbe des Sciences et des Arts-Bulletin Classe des Sciences Mathematiques et Naturelles| |0352-5740|Semiannual| |SRPSKA AKAD NAUKA I UMETNOSTI +44|Academy of Management Annals|Economics & Business|1941-6067|Annual| |ROUTLEDGE JOURNALS +45|Academy of Management Journal|Economics & Business / Industrial management|0001-4273|Bimonthly| |ACAD MANAGEMENT +46|Academy of Management Learning & Education|Economics & Business|1537-260X|Quarterly| |ACAD MANAGEMENT +47|Academy of Management Perspectives|Economics & Business|1558-9080|Quarterly| |ACAD MANAGEMENT +48|Academy of Management Review|Economics & Business / Management; Gestion|0363-7425|Quarterly| |ACAD MANAGEMENT +49|Acadiensis| |0044-5851|Semiannual| |UNIV NEW BRUNSWICK +50|Acari Bibliographia Acarologica| |1618-8977|Tri-annual| |STAATLICHES MUSEUM NATURKUNDE GOERLITZ +51|Acarina| |0132-8077|Semiannual| |KMK SCIENTIFIC PRESS LTD +52|Acarologia|Plant & Animal Science /|0044-586X|Annual| |ACAROLOGIA-UNIVERSITE PAUL VALERY +53|Accident Analysis and Prevention|Social Sciences, general / Accidents; Accidents, Traffic|0001-4575|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +54|Accountability in Research-Policies and Quality Assurance|Research; Ethics; Program Evaluation / Research; Ethics; Program Evaluation|0898-9621|Bimonthly| |TAYLOR & FRANCIS LTD +55|Accounting and Business Research|Economics & Business|0001-4788|Quarterly| |INST CHARTERED ACCOUNTANTS ENGLAND & WALES +56|Accounting and Finance|Economics & Business / Accounting; Finance / Accounting; Finance|0810-5391|Quarterly| |WILEY-BLACKWELL PUBLISHING +57|Accounting Horizons|Economics & Business / Accounting|0888-7993|Quarterly| |AMER ACCOUNTING ASSOC +58|Accounting Organizations and Society|Economics & Business / Accounting; Social accounting|0361-3682|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +59|Accounting Review|Economics & Business / Accounting; Comptabilité; ACCOUNTING|0001-4826|Quarterly| |AMER ACCOUNTING ASSOC +60|Accounts of Chemical Research|Chemistry / Chemistry; Research; Chimie; Chemie|0001-4842|Monthly| |AMER CHEMICAL SOC +61|Accreditation and Quality Assurance|Chemistry /|0949-1775|Monthly| |SPRINGER +62|ACI Materials Journal|Materials Science|0889-325X|Bimonthly| |AMER CONCRETE INST +63|ACI Structural Journal|Engineering|0889-3241|Bimonthly| |AMER CONCRETE INST +64|ACM Computing Surveys|Computer Science / Electronic digital computers; Ordinateurs; Computers; Dataprocessing|0360-0300|Quarterly| |ASSOC COMPUTING MACHINERY +65|ACM Journal on Emerging Technologies in Computing Systems|Computer Science / Computer systems; Informatique; Ordinateurs|1550-4832|Quarterly| |ASSOC COMPUTING MACHINERY +66|ACM SIGPLAN Notices|Computer Science / Programming languages (Electronic computers)|0362-1340|Monthly| |ASSOC COMPUTING MACHINERY +67|ACM Transactions on Algorithms|Computer Science / Computer programming; Computer algorithms|1549-6325|Quarterly| |ASSOC COMPUTING MACHINERY +68|ACM Transactions on Applied Perception|Computer Science / Human-computer interaction; Computer graphics; Psychology; Infographie; Psychologie; Interaction homme-machine (Informatique); Computer Graphics|1544-3558|Quarterly| |ASSOC COMPUTING MACHINERY +69|ACM Transactions on Architecture and Code Optimization|Computer Science / Computer architecture; Compiling (Electronic computers)|1544-3566|Quarterly| |ASSOC COMPUTING MACHINERY +70|ACM Transactions on Autonomous and Adaptive Systems|Computer Science / Intelligent agents (Computer software); Computers; Computer science|1556-4665|Quarterly| |ASSOC COMPUTING MACHINERY +71|ACM Transactions on Computational Logic|Computer Science / Computer logic; Logic, Symbolic and mathematical; Computer science; Logique informatique; Logique symbolique et mathématique; Informatique|1529-3785|Quarterly| |ASSOC COMPUTING MACHINERY +72|ACM Transactions on Computer Systems|Computer Science / System design; Computer architecture; Operating systems (Computers); Computersystemen; Ordinateurs|0734-2071|Quarterly| |ASSOC COMPUTING MACHINERY +73|ACM Transactions on Computer-Human Interaction|Computer Science /|1073-0516|Quarterly| |ASSOC COMPUTING MACHINERY +74|ACM Transactions on Database Systems|Computer Science / Database management; Bases de données|0362-5915|Quarterly| |ASSOC COMPUTING MACHINERY +75|ACM Transactions on Design Automation of Electronic Systems|Computer Science / Electronic systems; Electronic circuit design; Computer-aided design; Integrated circuits; Circuits électroniques; Conception assistée par ordinateur|1084-4309|Quarterly| |ASSOC COMPUTING MACHINERY +76|ACM Transactions on Embedded Computing Systems|Computer Science / Embedded computer systems|1539-9087|Quarterly| |ASSOC COMPUTING MACHINERY +77|ACM Transactions on Graphics|Computer Science / Computer graphics; Infographie; Grafische voorstellingen; Computermethoden|0730-0301|Quarterly| |ASSOC COMPUTING MACHINERY +78|ACM Transactions on Information and System Security|Computer Science / Data protection; Computer security; Data encryption (Computer science); Information storage and retrieval systems|1094-9224|Quarterly| |ASSOC COMPUTING MACHINERY +79|ACM Transactions on Information Systems|Computer Science / Electronic data processing; Information storage and retrieval systems; Information retrieval; Informatique; Systèmes d'information; Recherche de l'information; Informatiesystemen|1046-8188|Quarterly| |ASSOC COMPUTING MACHINERY +80|ACM Transactions on Internet Technology|Computer Science / Internet|1533-5399|Quarterly| |ASSOC COMPUTING MACHINERY +81|ACM Transactions on Mathematical Software|Computer Science / Computer programming; Mathematics; Programmation (Informatique); Mathématiques|0098-3500|Quarterly| |ASSOC COMPUTING MACHINERY +82|ACM Transactions on Modeling and Computer Simulation|Computer Science / Computer simulation; Mathematical models; Simulation par ordinateur; Modèles mathématiques|1049-3301|Quarterly| |ASSOC COMPUTING MACHINERY +83|ACM Transactions on Multimedia Computing Communications and Applications|Multimedia systems; Multimedia communications|1551-6857|Quarterly| |ASSOC COMPUTING MACHINERY +84|ACM Transactions on Programming Languages and Systems|Computer Science / Programming languages (Electronic computers); Computer programming; Langages de programmation; Programmation (Informatique)|0164-0925|Bimonthly| |ASSOC COMPUTING MACHINERY +85|ACM Transactions on Sensor Networks|Engineering / Sensor networks|1550-4859|Quarterly| |ASSOC COMPUTING MACHINERY +86|ACM Transactions on Software Engineering and Methodology|Computer Science / Software engineering; Génie logiciel|1049-331X|Quarterly| |ASSOC COMPUTING MACHINERY +87|ACM Transactions on the Web|Computer Science / World Wide Web|1559-1131|Quarterly| |ASSOC COMPUTING MACHINERY +88|Acoustical Physics|Physics / Sound|1063-7710|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +89|Acoustics Australia|Physics|0814-6039|Tri-annual| |AUSTRALIAN ACOUSTICAL SOC +90|Acrocephalus| |0351-2851|Bimonthly| |DOPPS-BIRDLIFE SLOVENIA +91|Across Languages and Cultures|Social Sciences, general / Translating and interpreting; Language and languages|1585-1923|Semiannual| |AKADEMIAI KIADO RT +92|ACS Applied Materials & Interfaces|Materials Science /|1944-8244|Monthly| |AMER CHEMICAL SOC +93|ACS Chemical Biology|Chemistry / Biochemistry|1554-8929|Monthly| |AMER CHEMICAL SOC +94|ACS Chemical Neuroscience| |1948-7193|Monthly| |AMER CHEMICAL SOC +95|ACS Medicinal Chemistry Letters| |1948-5875|Monthly| |AMER CHEMICAL SOC +96|ACS Nano|Chemistry / Nanoscience; Nanotechnology|1936-0851|Monthly| |AMER CHEMICAL SOC +97|ACS-Agriculturae Conspectus Scientificus| |1331-7768|Quarterly| |AGRONOMSKI FAKULTET +98|ACSMS Health & Fitness Journal|Clinical Medicine / Exercise; Physical fitness; Health; Health Behavior; Physical Fitness|1091-5397|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +99|Acta Acustica united with Acustica|Physics / Sound|1610-1928|Bimonthly| |S HIRZEL VERLAG +100|Acta Adriatica|Plant & Animal Science|0001-5113|Semiannual| |INST OCEANOGRAFIJU I RIBARSTVO +101|Acta Agriculturae Scandinavica Section A-Animal Science|Plant & Animal Science / Animal culture; Animal nutrition / Animal culture; Animal nutrition / Animal culture; Animal nutrition|0906-4702|Quarterly| |TAYLOR & FRANCIS AS +102|Acta Agriculturae Scandinavica Section B-Soil and Plant Science|Agricultural Sciences / Horticulture; Soil science; Crops and soils; Plant-soil relationships / Horticulture; Soil science; Crops and soils; Plant-soil relationships|0906-4710|Bimonthly| |TAYLOR & FRANCIS AS +103|Acta agriculturae Slovenica| |1581-9175|Quarterly| |UNIV LJUBLJANA +104|Acta Agriculturae Universitatis Jiangxiensis| |1000-2286|Bimonthly| |JIANGXI AGRICULTURAL UNIV +105|Acta Agrobotanica| |0065-0951|Semiannual| |POLSKIE TOWARZYSTWO BOTANICZNE +106|Acta Agronomica Hungarica| |0238-0161|Quarterly| |AKADEMIAI KIADO RT +107|Acta Agrophysica| |1234-4125|Irregular| |POLSKA AKAD NAUK +108|Acta Albertina Ratisbonensia| |0515-2712|Irregular| |NATURWISSENSCHAFTLICHER VEREIN REGENSBURG E V +109|Acta Alimentaria|Agricultural Sciences / Food|0139-3006|Quarterly| |AKADEMIAI KIADO RT +110|Acta Amazonica|Natural history; Science; Natuurlijke historie|0044-5967|Irregular| |INST NACIONAL PESQUISAS AMAZONIA +111|Acta Anaesthesiologica Scandinavica|Clinical Medicine / Anesthesiology; Critical care medicine; Anesthésie|0001-5172|Monthly| |WILEY-BLACKWELL PUBLISHING +112|Acta Analytica-International Periodical for Philosophy in the Analytical Tradition|Analysis (Philosophy); Psychology|0353-5150|Quarterly| |SPRINGER +113|Acta Anatomica Nipponica| |0022-7722|Quarterly| |JAPANESE ASSOC ANATOMISTS +114|Acta Anatomica Sinica| |0529-1356|Bimonthly| |CHINESE SOC ANATOMICAL SCIENCES +115|Acta Anthropologica Sinica| |1000-3193|Quarterly| |ACAD SIN BEIJING +116|Acta Applicandae Mathematicae|Mathematics / Mathematics|0167-8019|Monthly| |SPRINGER +117|Acta Arachnologica|Spiders; Arachnologie|0001-5202|Semiannual| |ARACHNOLOGICAL SOC JAPAN +118|Acta Arachnologica Sinica| |1005-9628|Semiannual| |ARACHNOL SOC CHINA +119|Acta Archaeologica|Social Sciences, general / Archaeology|0065-101X|Semiannual| |WILEY-BLACKWELL PUBLISHING +120|Acta Arithmetica|Mathematics / Mathematics; Number theory|0065-1036|Semimonthly| |POLISH ACAD SCIENCES INST MATHEMATICS +121|Acta Astronautica|Engineering / Astronautics|0094-5765|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +122|Acta Astronomica|Space Science|0001-5237|Quarterly| |COPERNICUS FOUNDATION POLISH ASTRONOMY +123|Acta Biochimica et Biophysica Sinica|Biology & Biochemistry / Biochemistry; Biophysics|1672-9145|Semiannual| |OXFORD UNIV PRESS +124|Acta Biochimica Polonica|Biology & Biochemistry|0001-527X|Quarterly| |ACTA BIOCHIMICA POLONICA +125|Acta bioethica|Social Sciences, general /|0717-5906|Semiannual| |PAN AMER HEALTH ORGANIZATION +126|Acta Biologiae Experimentalis Sinica| |0001-5334|Quarterly| |ACAD SIN SHANGHAI +127|Acta Biologica Benrodis| |0177-9214|Semiannual| |NATURKUNDLICHES HEIMATMUSEUM BENRATH +128|Acta Biologica Colombiana| |0120-548X|Semiannual| |UNIV NAC COLOMBIA +129|Acta Biologica Cracoviensia Series Botanica|Plant & Animal Science|0001-5296|Annual| |POLSKA AKAD NAUK +130|Acta Biologica Cracoviensia Series Zoologia| |0001-530X|Annual| |POLISH ACAD SCIENCES +131|Acta Biologica Debrecina| |0567-7327|Irregular| |KOSSUTH LAJOS TUDOMANYEGYETEM +132|Acta Biologica Hungarica|Biology & Biochemistry / Biology|0236-5383|Quarterly| |AKADEMIAI KIADO RT +133|Acta Biologica Panamensis| |2072-9405|Semiannual| |COLEGIO BIOLOGOS PANAMA-COBIOPA +134|Acta Biologica Paranaense| |0301-2123|Annual| |UNIV FEDERAL PARANA +135|Acta Biologica Silesiana| |0860-2441|Irregular| |WYDAWNICTWO UNIWERSYTETU SLASKIEGO +136|Acta Biologica Slovenica| |1408-3671|Irregular| |DRUSTVO BIOLOGOV SLOVENIJE +137|Acta Biologica Szegediensis| |1588-385X|Annual| |UNIV SZEGED +138|Acta Biologica Universitatis Daugavpiliensis| |1407-8953|Semiannual| |UNIV DAUGAVPILS +139|Acta Biologica Venezuelica| |0001-5326|Quarterly| |UNIV CENTRAL VENEZUELA +140|Acta Biomaterialia|Microbiology / Biomedical materials; Biocompatible Materials|1742-7061|Bimonthly| |ELSEVIER SCI LTD +141|Acta Bioquimica Clinica Latinoamericana|Biology & Biochemistry|0325-2957|Quarterly| |FEDERACION BIOQUIMICA PROVINCIA BUENOS AIRES +142|Acta Biotheoretica|Biology & Biochemistry / Biology; Zoology|0001-5342|Quarterly| |SPRINGER +143|Acta Borealia| |0800-3831|Semiannual| |ROUTLEDGE JOURNALS +144|Acta Botanica Boreali-Occidentalia Sinica| |1000-4025|Bimonthly| |SHAANXI SCIENTIFIC & TECHNOLOGICAL PRESS +145|Acta Botanica Brasilica|Plant & Animal Science / Botany|0102-3306|Quarterly| |SOC BOTANICA BRASIL +146|Acta Botanica Croatica|Plant & Animal Science|0365-0588|Semiannual| |UNIV ZAGREB +147|Acta Botanica Fennica| |0001-5369|Irregular| |FINNISH ZOOLOGICAL BOTANICAL PUBLISHING BOARD +148|Acta Botanica Gallica|Plant & Animal Science|1253-8078|Quarterly| |SOC BOTANIQUE FRANCE +149|Acta Botanica Hungarica|Botany; Plants|0236-6495|Quarterly| |AKADEMIAI KIADO RT +150|Acta Botanica Indica| |0379-508X|Semiannual| |SOC ADVANCEMENT BOTANY +151|Acta Botanica Islandica| |0374-5066|Irregular| |NATTURUFRAEOISTOFNUN NOROURLANDS-AKUREYRI MUSEUM NATURAL HISTORY +152|Acta Botanica Malacitana| |0210-9506|Annual| |UNIV MALAGA +153|Acta Botanica Mexicana|Plant & Animal Science|0187-7151|Quarterly| |INST ECOLOGIA AC +154|Acta Botanica Venezuelica| |0084-5906|Irregular| |FUNDACION INST BOTANICO VENEZUELA DR TOBIAS LASSER +155|Acta Botanica Yunnanica|Botany|0253-2700|Bimonthly| |KUNMING INST BOTANY +156|Acta Cardiologica|Clinical Medicine /|0001-5385|Bimonthly| |ACTA CARDIOLOGICA +157|Acta Cardiologica Sinica|Clinical Medicine|1011-6842|Quarterly| |TAIWAN SOC CARDIOLOGY +158|Acta Carsologica|Geosciences|0583-6050|Tri-annual| |KARST RESEARCH INST ZRC SAZU +159|Acta Chimica Sinica|Chemistry|0567-7351|Semimonthly| |SCIENCE CHINA PRESS +160|Acta Chimica Slovenica|Chemistry|1318-0207|Quarterly| |SLOVENSKO KEMIJSKO DRUSTVO +161|Acta Chiropterologica|Plant & Animal Science / Bats|1508-1109|Semiannual| |MUSEUM & INST ZOOLOGY PAS-POLISH ACAD SCIENCES +162|Acta Chirurgiae Orthopaedicae et Traumatologiae Cechoslovaca|Clinical Medicine|0001-5415|Bimonthly| |GALEN SRO +163|Acta Chirurgica Belgica|Clinical Medicine|0001-5458|Bimonthly| |ACTA MEDICAL BELGICA +164|Acta Chromatographica|Chemistry / Chromatographic analysis; Chromatography|1233-2356|Quarterly| |AKADEMIAI KIADO RT +165|Acta Cientifica Venezolana| |0001-5504|Quarterly| |ASOCIACION VENEZOLANA PARA EL AVANCE DE LA CIENCIA +166|Acta Cirurgica Brasileira|Clinical Medicine / Surgery, Operative; Surgical Procedures, Operative|0102-8650|Bimonthly| |ACTA CIRURGICA BRASILEIRA +167|Acta Classica| |0065-1141|Annual| |UNIV FREE STATE +168|Acta Clinica Belgica|Clinical Medicine|0001-5512|Bimonthly| |ACTA CLINICA BELGICA +169|Acta Clinica Croatica|Clinical Medicine|0353-9466|Quarterly| |SESTRE MILOSRDNICE UNIV HOSPITAL +170|Acta Coleopterologica-Munich| |0178-7217|Semiannual| |SOC COLEOPTEROLOGICA E V +171|Acta Conchyliorum| |0721-1635|Irregular| |CLUB CONCHYLIA +172|Acta Crystallographica Section A|Chemistry / Crystallography; Crystallization; Cristallographie / Crystallography; Cristallographie|0108-7673|Bimonthly| |WILEY-BLACKWELL PUBLISHING +173|Acta Crystallographica Section B-Structural Science|Chemistry / Crystallization; Crystallography; Cristallisation; Cristallographie|0108-7681|Bimonthly| |WILEY-BLACKWELL PUBLISHING +174|Acta Crystallographica Section C-Crystal Structure Communications|Chemistry / Crystallography; Crystals|0108-2701|Monthly| |WILEY-BLACKWELL PUBLISHING +175|Acta Crystallographica Section D-Biological Crystallography|Chemistry / X-ray crystallography; Crystallography; Biomolecules|0907-4449|Monthly| |WILEY-BLACKWELL PUBLISHING +176|Acta Crystallographica Section E-Structure Reports Online|Chemistry /|1600-5368|Monthly| |WILEY-BLACKWELL PUBLISHING +177|Acta Crystallographica Section F-Structural Biology and Crystallization Communications|Chemistry /|1744-3091|Monthly| |WILEY-BLACKWELL PUBLISHING +178|Acta Cytologica|Clinical Medicine|0001-5547|Bimonthly| |SCI PRINTERS & PUBL INC +179|Acta Dermato-Venereologica|Clinical Medicine / Dermatology; Sexually transmitted diseases; Sexually Transmitted Diseases; Dermatologie; Maladies transmises sexuellement; Seksueel overdraagbare aandoeningen|0001-5555|Bimonthly| |ACTA DERMATO-VENEREOLOGICA +180|Acta Dermatovenerologica Croatica|Clinical Medicine|1330-027X|Quarterly| |CROATION DERMATOVENEROLOGICAL SOC +181|Acta Diabetologica|Biology & Biochemistry / Diabetes; Diabetes Mellitus / Diabetes; Diabetes Mellitus|0940-5429|Quarterly| |SPRINGER +182|Acta Ecologica Sinica| |1000-0933|Quarterly| |SCIENCE PRESS +183|Acta Endocrinologica-Bucharest|Clinical Medicine /|1841-0987|Quarterly| |EDITURA ACAD ROMANE +184|Acta Endoscopica|Clinical Medicine / Cineradiography; Endoscopy|0240-642X|Bimonthly| |SPRINGER +185|Acta Entomologica Bulgarica| |1310-5914|Irregular| |BULGARIAN ENTOMOLOGICAL SOC +186|Acta Entomologica Chilena| |0716-5072|Annual| |INST ENTOMOLOGIA +187|Acta Entomologica Iberica E Macaronesica| |0400-4000|Irregular| |SOC PORTUGUESA ENTOMOLOGIA +188|Acta Entomologica Musei Nationalis Pragae|Plant & Animal Science|0374-1036|Semiannual| |NARODNI MUZEUM - PRIRODOVEDECKE MUZEUM +189|Acta Entomologica Serbica| |0354-9410|Semiannual| |ENTOMOLOGICAL SOC SERBIA +190|Acta Entomologica Silesiana| |1230-7777|Irregular| |SILESIAN ENTOMOLOGICAL SOC +191|Acta Entomologica Sinica| |0454-6296|Bimonthly| |SCIENCE CHINA PRESS +192|Acta Entomologica Slovenica| |1318-1998|Semiannual| |SLOVENSKO ENTOMOLOSKO DRUSTVO STEFANA MICHIELIJA V LJUBLJANI +193|acta ethologica|Social Sciences, general / Animal behavior; Human behavior; Psychobiology; Behavior, Animal; Behavior|0873-9749|Semiannual| |SPRINGER HEIDELBERG +194|Acta Facultatis Medicae Fluminensis| |0065-1206|Semiannual| |SVEUCILISTA U RIJECI +195|Acta Gastro-Enterologica Belgica|Clinical Medicine|0001-5644|Quarterly| |UNIV CATHOLIQUE LOUVAIN-UCL +196|Acta Gastroenterologica Latinoamericana| |0300-9033|Bimonthly| |SOC ARGENTINA GASTROENTEROLOGIA +197|Acta Geneticae Medicae et Gemellologiae| |0001-5660|Quarterly| |MENDEL INST +198|Acta Geodaetica et Geophysica Hungarica|Geosciences / Geodesy; Geophysics|1217-8977|Quarterly| |AKADEMIAI KIADO RT +199|Acta Geodynamica et Geomaterialia| |1214-9705|Quarterly| |ACAD SCI CZECH REPUBLIC INST ROCK STRUCTURE & MECHANICS +200|Acta Geographica Slovenica-Geografski Zbornik|Social Sciences, general /|1581-6613|Semiannual| |GEOGRAFSKI INST ANTONA MELIKA ZRC SAZU +201|Acta Geologica Hungarica|Geology|0236-5278|Quarterly| |AKADEMIAI KIADO RT +202|Acta Geologica Lilloana| |0567-7513|Irregular| |FUNDACION MIGUEL LILLO +203|Acta Geologica Polonica|Geosciences|0001-5709|Quarterly| |WYDAWNICTWO NAUKOWE INVIT +204|Acta Geologica Sinica-English Edition|Geosciences /|1000-9515|Quarterly| |WILEY-BLACKWELL PUBLISHING +205|Acta Geologica Taiwanica| |0065-1265|Annual| |NATL TAIWAN UNIV +206|Acta Geologica Universitatis Comenianae| |1335-2830|Annual| |UNIV KOMENSKEHO +207|Acta Geophysica|Geosciences /|1895-6572|Quarterly| |VERSITA +208|Acta Geoscientia Sinica| |1006-3021|Bimonthly| |CHINA INT BOOK TRADING CORP +209|Acta Geotechnica Slovenica|Engineering|1854-0171|Semiannual| |UNIV MARIBOR +210|Acta Granatense| |1695-6370|Semiannual| |SOC GRANATENSE HIST NAT +211|Acta Haematologica|Clinical Medicine / Blood; Hematology; Hematologie|0001-5792|Bimonthly| |KARGER +212|Acta Haematologica Polonica| |0001-5814|Quarterly| |POLSKIE TOWARZYSTWO HEMATOLOGOW I TRANSFUZJOLOGOW +213|Acta Herpetologica|Plant & Animal Science|1827-9635|Semiannual| |FIRENZE UNIV PRESS +214|Acta Histochemica|Molecular Biology & Genetics / Histochemistry; Histology; Biochemistry; Histochemie|0065-1281|Quarterly| |ELSEVIER GMBH +215|ACTA HISTOCHEMICA ET CYTOCHEMICA|Molecular Biology & Genetics / Histochemistry; Cytochemistry; Histocytochemistry; Histochemie; Cytochemie|0044-5991|Bimonthly| |JAPAN SOC HISTOCHEM CYTOCHEM +216|Acta Historica Tallinnensia| |1406-2925|Annual| |ESTONIAN ACADEMY PUBLISHERS +217|Acta Histriae| |1318-0185|Semiannual| |UNIV PRIMORSKA +218|Acta Hydrobiologica Sinica|Aquatic biology; Fish culture|1000-3207|Irregular| |CHINESE ACAD SCIENCES +219|Acta Ichthyologica Et Piscatoria|Plant & Animal Science / Fishes; Fisheries|0137-1592|Semiannual| |WYDAWNICTWO AKAD ROLNICZEJ W SZCZECINIE +220|Acta Informatica|Computer Science / Electronic data processing; Information storage and retrieval systems; Machine theory|0001-5903|Monthly| |SPRINGER +221|Acta Limnologica Brasiliensia| |0102-6712|Irregular| |FUNDACAO BIODIVERSITAS +222|Acta Linguistica Hungarica|Social Sciences, general / Language and languages|1216-8076|Quarterly| |SPRINGER +223|Acta literaria| |0717-6848|Semiannual| |UNIV CONCEPCION +224|Acta Manilana| |0065-1370|Annual| |SANTO TOMAS UNIV PRESS +225|Acta Materialia|Materials Science / Metallurgy; Materials; Metals; Materiaalkunde; Métallurgie; Matériaux|1359-6454|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +226|Acta Mathematica|Mathematics / Mathematics; Wiskunde; Mathématiques|0001-5962|Quarterly| |SPRINGER +227|Acta Mathematica Hungarica|Mathematics / Mathematics|0236-5294|Monthly| |SPRINGER +228|Acta Mathematica Scientia|Mathematics / Mathematical physics|0252-9602|Quarterly| |ELSEVIER SCIENCE INC +229|Acta Mathematica Sinica-English Series|Mathematics / Mathematics|1439-8516|Bimonthly| |SPRINGER HEIDELBERG +230|Acta Mathematicae Applicatae Sinica-English Series|Mathematics / Mathematics; Mathématiques / Mathematics; Mathématiques / Mathematics; Mathématiques|0168-9673|Quarterly| |SPRINGER HEIDELBERG +231|Acta Mechanica|Engineering / Mechanics, Applied|0001-5970|Monthly| |SPRINGER WIEN +232|Acta Mechanica Sinica|Engineering / Mechanics, Analytic; Dynamics|0567-7718|Bimonthly| |SPRINGER HEIDELBERG +233|Acta Mechanica Solida Sinica|Engineering / Mechanics, Applied; Mechanics, Analytic|0894-9166|Bimonthly| |ELSEVIER SCIENCE INC +234|Acta Medica Croatica| |1330-0164|Bimonthly| |ACAD MEDICAL SCIENCES CROATIA +235|Acta Medica et Biologica| |0567-7734|Quarterly| |NIIGATA UNIV SCH MEDICINE +236|Acta Medica Mediterranea|Clinical Medicine|0393-6384|Tri-annual| |CARBONE EDITORE +237|Acta Medica Nagasakiensia| |0001-6055|Quarterly| |NAGASAKI UNIV SCH MEDICINE +238|Acta Medica Okayama|Clinical Medicine|0386-300X|Bimonthly| |OKAYAMA UNIV MED SCHOOL +239|Acta Medica Portuguesa|Clinical Medicine|1646-0758|Bimonthly| |ORDEM MEDICOS +240|Acta Medica Scandinavica| |0001-6101|Monthly| |SCANDINAVIAN UNIVERSITY PRESS +241|ACTA METALLURGICA SINICA|Materials Science /|0412-1961|Monthly| |SCIENCE CHINA PRESS +242|Acta Meteorologica Sinica|Geosciences|0894-0525|Quarterly| |ACTA METEOROLOGICA SINICA PRESS +243|Acta Microbiologica et Immunologica Hungarica|Microbiology / Microbiology; Allergy and Immunology; Microbiologie; Immunologie|1217-8950|Quarterly| |AKADEMIAI KIADO RT +244|Acta Micropalaeontologica Sinica| |1000-0674|Quarterly| |CHINESE ACAD SCIENCES +245|Acta Microscopica|Biology & Biochemistry|0798-4545|Semiannual| |COMITE INTERAMERICANO SOC MICROSCOPIA ELECTRONICA-CIASEM +246|Acta Montanistica Slovaca|Geosciences|1335-1788|Quarterly| |BERG FAC TECHNICAL UNIV KOSICE +247|Acta Morphologica et Anthropologica| |1311-8773|Annual| |MARIN DRINOV ACAD PUBL HOUSE +248|Acta Mozartiana| |0001-6233|Semiannual| |DEUTSCHE MOZART-GESELLSCHAFT +249|Acta Musaei Neostadeni Bohemiae| |1802-7555|Annual| |MESTSKE MUZEUM NOVE MESTO NAD METUJI +250|Acta Musei Moraviae Scientiae Biologicae| |1211-8788|Annual| |MORAVSKE ZEMSKE MUZEUM +251|Acta Musei Moraviae Scientiae Geologicae| |1211-8796|Annual| |MORAVSKE ZEMSKE MUZEUM +252|Acta Musei Reginaehradecensis Series A Scientiae Naturales| |0439-6812|Irregular| |MUZEUM VYCHODNICH CECH +253|Acta Musicologica|Music; Musicology; Muziekwetenschap|0001-6241|Semiannual| |INT MUSICOLOGICAL SOC +254|Acta Mycologica| |0001-625X|Semiannual| |POLSKIE TOWARZYSTWO BOTANICZNE +255|Acta Naturae-English Edition| |2075-8251|Quarterly| |RUSSIAN FEDERATION AGENCY SCIENCE & INNOVATION +256|Acta Neurobiologiae Experimentalis|Neuroscience & Behavior|0065-1400|Quarterly| |NENCKI INST EXPERIMENTAL BIOLOGY +257|Acta Neurochirurgica|Clinical Medicine / Nervous system; Neurosurgery; Neurochirurgie|0001-6268|Monthly| |SPRINGER WIEN +258|Acta Neurologica Belgica|Clinical Medicine|0300-9009|Quarterly| |ACTA MEDICA BELGICA +259|Acta Neurologica Scandinavica|Neuroscience & Behavior / Neurology; Mental Disorders; Neurologie|0001-6314|Monthly| |WILEY-BLACKWELL PUBLISHING +260|Acta Neuropathologica|Neuroscience & Behavior / Nervous system; Neurology; Pathology|0001-6322|Monthly| |SPRINGER +261|Acta Neuropsychiatrica|Neuroscience & Behavior / Neuropsychiatry; Biological psychiatry; Neuropsychology; Biological Psychiatry|0924-2708|Bimonthly| |WILEY-BLACKWELL PUBLISHING +262|Acta Nutrimenta Sinica| |0512-7955|Bimonthly| |INST HYGIENE & ENVIRONMENTAL MEDICINE +263|Acta Obstetricia Et Gynecologica Scandinavica|Clinical Medicine / Gynecology; Obstetrics|0001-6349|Monthly| |TAYLOR & FRANCIS AS +264|Acta Oceanografica Del Pacifico| |1010-4402| | |INST OCEANOGRAFICO ARMADA ECUADOR +265|Acta Oceanologica Sinica|Geosciences /|0253-505X|Quarterly| |SPRINGER +266|Acta Odontologica Scandinavica|Clinical Medicine / Dentistry; Tandheelkunde; Dentisterie|0001-6357|Bimonthly| |TAYLOR & FRANCIS AS +267|Acta Oecologica-International Journal of Ecology|Environment/Ecology / Ecology; Plant ecology|1146-609X|Bimonthly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +268|Acta Oeconomica|Economics & Business / Economics|0001-6373|Quarterly| |AKADEMIAI KIADO RT +269|Acta of Bioengineering and Biomechanics|Biology & Biochemistry|1509-409X|Semiannual| |WROCLAW UNIV TECHNOLOGY +270|Acta Oncologica|Clinical Medicine / Oncology; Tumors; Medical Oncology; Neoplasms; Physics; Radiation Effects; Review Literature; Cancer; Oncologie|0284-186X|Bimonthly| |TAYLOR & FRANCIS AS +271|Acta Ophthalmologica|Clinical Medicine / Ophthalmology; Eye Diseases|1755-375X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +272|Acta Orientalia| |1588-2667|Quarterly| |AKADEMIAI KIADO RT +273|Acta Ornithoecologica| |0233-2914|Annual| |M GOERNER +274|Acta Ornithologica|Plant & Animal Science / Ornithology|0001-6454|Semiannual| |MUSEUM & INST ZOOLOGY +275|Acta Orthopaedica|Clinical Medicine / Orthopedics|1745-3674|Bimonthly| |INFORMA HEALTHCARE +276|Acta Orthopaedica Belgica|Clinical Medicine|0001-6462|Bimonthly| |ACTA MEDICA BELGICA +277|acta orthopaedica et traumatologica turcica|Clinical Medicine / Orthopedics; Traumatology; Wounds and injuries; Orthopedic Procedures; Wounds and Injuries|1017-995X|Bimonthly| |TURKISH ASSOC ORTHOPAEDICS TRAUMATOLOGY +278|Acta Ortopédica Brasileira|Clinical Medicine /|1413-7852|Bimonthly| |ATHA COMUNICACAO & EDITORA +279|Acta Oto-Laryngologica|Clinical Medicine / Otolaryngology; Ear; Throat; Oto-rhino-laryngologie; Keel- neus- en oorheelkunde|0001-6489|Monthly| |TAYLOR & FRANCIS AS +280|Acta Otorhinolaryngologica Italica|Clinical Medicine|0392-100X|Bimonthly| |PACINI EDITORE +281|Acta Paediatrica|Clinical Medicine / Pediatrics; Pédiatrie; Kindergeneeskunde|0803-5253|Monthly| |WILEY-BLACKWELL PUBLISHING +283|Acta Palaeontologica Polonica|Geosciences /|0567-7920|Quarterly| |INST PALEOBIOLOGII PAN +284|Acta Palaeontologica Sinica| |0001-6616|Quarterly| |SCIENCE CHINA PRESS +285|Acta Parasitologica|Biology & Biochemistry / Parasitology; Parasites|1230-2821|Quarterly| |VERSITA +286|Acta Parasitologica et Medica Entomologica Sinica| |1005-0507|Quarterly| |ACTA PARASIT MED ENTOMOL SIN +287|Acta Paulista de Enfermagem|Social Sciences, general /|0103-2100|Bimonthly| |UNIV FED SAO PAULO +288|Acta Petrologica Sinica|Geosciences|1000-0569|Monthly| |SCIENCE CHINA PRESS +289|Acta Pharmaceutica|Pharmacology & Toxicology / Pharmacy; Pharmacology; Pharmaceutical Preparations|1330-0075|Quarterly| |HRVATSKO FARMACEUTSKO DRUSTOV (HFD)-CROATION PHARMACEUTICAL SOC +290|Acta Pharmaceutica Hungarica| |0001-6659|Bimonthly| |MAGYAR GYOGYSZERESZ TARSASAG HUNGARIAN PHARMACEUTICAL ASSOC +291|Acta Pharmaceutica Sciencia| |1307-2080|Tri-annual| |ISTANBUL UNIV +292|Acta Pharmaceutica Sinica| |0513-4870|Monthly| |INST MATERIA MEDICA +293|Acta Pharmacologica Sinica|Pharmacology & Toxicology / Pharmacology|1671-4083|Monthly| |NATURE PUBLISHING GROUP +294|Acta Physica Polonica A|Physics|0587-4246|Monthly| |POLISH ACAD SCIENCES INST PHYSICS +295|Acta Physica Polonica B|Physics|0587-4254|Monthly| |POLISH ACAD SCIENCES INST PHYSICS +296|Acta Physica Sinica|Physics|1000-3290|Monthly| |CHINESE PHYSICAL SOC +297|Acta Physica Slovaca|Physics|0323-0465|Bimonthly| |SLOVAK ACAD SCIENCES INST PHYSICS +298|Acta Physico-Chimica Sinica|Chemistry /|1000-6818|Irregular| |PEKING UNIV PRESS +299|Acta Physicochimica Urss| | | | |USSR ACAD SCIENCES +300|Acta Physiologiae Plantarum|Plant & Animal Science / Plant physiology|0137-5881|Quarterly| |SPRINGER HEIDELBERG +301|Acta Physiologica|Biology & Biochemistry / Physiology; Physiological Processes; Physiologie|1748-1708|Monthly| |WILEY-BLACKWELL PUBLISHING +302|Acta Physiologica Hungarica|Biology & Biochemistry / Physiology; Physiology, Pathological; Fysiologie; Physiologie|0231-424X|Quarterly| |AKADEMIAI KIADO RT +303|Acta Physiologica Sinica| |0371-0874|Bimonthly| |SCIENCE CHINA PRESS +304|Acta Phytogeographica Suecica|Botany; Phytogeography; Plantengeografie|0084-5914|Semiannual| |SVENSKA VAXTGEOGRAFISKA SALLSKAPET +305|Acta Phytopathologica et Entomologica Hungarica|Plant diseases; Entomology; Plant Diseases|0238-1249|Semiannual| |AKADEMIAI KIADO RT +306|Acta Phytopathologica Sinica| |0412-0914|Bimonthly| |CHINESE SOC PLANT PATHOLOGY +307|Acta Phytophylacica Sinica| |0577-7518|Quarterly| |CHINA INT BOOK TRADING CORP +308|Acta Phytophysiologica Sinica| |0257-4829|Quarterly| |SCIENCE CHINA PRESS +309|Acta Politica|Social Sciences, general / Political science|0001-6810|Quarterly| |PALGRAVE MACMILLAN LTD +310|Acta Poloniae Historica| |0001-6829|Semiannual| |INST HIST PAN +311|Acta Poloniae Pharmaceutica|Pharmacology & Toxicology|0001-6837|Quarterly| |POLSKIEGO TOWARZYSTWA FARMACEUTYCZNEGO +312|Acta Polymerica Sinica|Chemistry / Polymers; Polymerization|1000-3304|Bimonthly| |SCIENCE CHINA PRESS +313|Acta Polytechnica Hungarica|Engineering|1785-8860|Quarterly| |BUDAPEST TECH +314|Acta Protozoologica|Biology & Biochemistry|0065-1583|Quarterly| |JAGIELLONIAN UNIV +315|Acta Psychiatrica et Neurologica| |0365-558X|Annual| |BLACKWELL MUNKSGAARD +316|Acta Psychiatrica et Neurologica Scandinavica| |0001-6314|Annual| |BLACKWELL MUNKSGAARD +317|Acta Psychiatrica et Neurologica Scandinavica Supplementum| |0065-1591|Quarterly| |BLACKWELL MUNKSGAARD +318|Acta Psychiatrica et Neurologica Supplementum| |0105-0028|Quarterly| |BLACKWELL MUNKSGAARD +319|Acta Psychiatrica Scandinavica|Psychiatry/Psychology / Psychiatry; Mental Disorders; Psychiatrie|0001-690X|Monthly| |WILEY-BLACKWELL PUBLISHING +320|Acta Psychologica|Psychiatry/Psychology / Psychology|0001-6918|Monthly| |ELSEVIER SCIENCE BV +321|Acta Radiologica|Clinical Medicine / Radiology, Medical; Radiography, Medical; Radiotherapy; Radiography; Radionuclide Imaging; Radiologie médicale; Radiologie|0284-1851|Bimonthly| |TAYLOR & FRANCIS LTD +322|Acta Reumatologica Portuguesa|Clinical Medicine|0303-464X|Quarterly| |MEDFARMA-EDICOES MEDICAS +323|Acta Scientiae Circumstantiae| |0253-2468|Bimonthly| |CHINA INT BOOK TRADING CORP +324|Acta Scientiae Veterinariae|Plant & Animal Science|1678-0345|Tri-annual| |UNIV FED RIO GRANDE DO SUL +325|Acta Scientiarum Naturalium Universitatis Nankaiensis| |0465-7942|Quarterly| |NANKAI UNIV +326|Acta Scientiarum Naturalium Universitatis Pekinensis| |0479-8023|Bimonthly| |CHINA INT BOOK TRADING CORP +327|Acta Scientiarum Naturalium Universitatis Sunyatseni| |0529-6579|Bimonthly| |CHINA INT BOOK TRADING CORP +328|Acta Scientiarum Polonorum-Hortorum Cultus|Plant & Animal Science|1644-0692|Quarterly| |WYDAWNICTWO AKAD ROLNICZEJ W LUBLINIE +329|Acta Scientiarum-Agronomy|Agricultural Sciences / Agronomy; Aronomy|1679-9275|Quarterly| |UNIV ESTADUAL MARINGA +330|Acta Scientiarum-Animal Sciences|Zoology|1806-2636|Quarterly| |UNIV ESTADUAL MARINGA +331|Acta Scientiarum-Biological Sciences|Biology; Biological Sciences|1679-9283|Quarterly| |UNIV ESTADUAL MARINGA +332|Acta Scientiarum-Health Sciences|Medical sciences; Medicine|1679-9291|Quarterly| |UNIV ESTADUAL MARINGA +333|Acta Scientiarum-Technology|Multidisciplinary / Technology|1806-2563|Quarterly| |UNIV ESTADUAL MARINGA +334|Acta Sedimentologica Sinica| |1000-0550|Quarterly| |SCIENCE PRESS +335|Acta Silvatica & Lignaria Hungarica| |1786-691X|Annual| |HUNGARIAN ACAD SCIENCES +336|Acta Societatis Botanicorum Poloniae|Plant & Animal Science|0001-6977|Quarterly| |POLSKIE TOWARZYSTWO BOTANICZNE +337|Acta Societatis Zoologicae Bohemicae| |1211-376X|Quarterly| |CZECH ZOOLOGICAL SOC +338|Acta Sociologica|Social Sciences, general / Sociology; Sociologie|0001-6993|Quarterly| |SAGE PUBLICATIONS LTD +339|Acta Theologica| |1015-8758|Semiannual| |UNIV FREE STATE +340|ACTA THERIOLOGICA|Plant & Animal Science /|0001-7051|Quarterly| |POLISH ACAD SCIENCES +341|Acta Theriologica Sinica| |1000-1050|Quarterly| |SCIENCE CHINA PRESS +342|Acta Tropica|Clinical Medicine / Science; Tropical medicine; Ethnology; Tropical Medicine; Médecine tropicale; Ethnologie; Tropische geneeskunde|0001-706X|Monthly| |ELSEVIER SCIENCE BV +343|Acta Universitatis Agriculturae et Silviculturae Mendelianae Brunensis| |1211-8516|Bimonthly| |USTREDNI KNIHOVNA MZLU V BRNE +344|Acta Universitatis Carolinae Environmentalica| |0862-6529|Annual| |UNIV KARLOVA +345|Acta Universitatis Carolinae Geologica| |0001-7132|Quarterly| |UNIV KARLOVA +346|Acta Universitatis Carolinae-Biologica| |0001-7124|Quarterly| |CHARLES UNIV PRAGUE +347|Acta Universitatis Lodziensis Folia Biologica et Oecologica| |1730-2366|Irregular| |WYDAWNICTWO UNIWERSYTETU LODZKIEGO +348|Acta Universitatis Lodziensis Folia Limnologica| |0208-6158|Irregular| |WYDAWNICTWO UNIWERSYTETU LODZKIEGO +349|Acta Universitatis Lodziensis Folia Zoologica| |1230-0527|Irregular| |BIBLIOTEKA UNIWERSYTECKA +350|Acta Universitatis Lodziensis-Folia Biochimica et Biophysica| |0208-614X|Irregular| |BIBLIOTEKA UNIWERSYTECKA +351|Acta Universitatis Nicolai Copernici Biologia| |0208-4449|Irregular| |UNIWERSYTET MIKOLAJA KOPERNIKA W TORUNIU +352|Acta Universitatis Nicolai Copernici Prace Limnologiczne| |0208-5348|Irregular| |UNIWERSYTET MIKOLAJA KOPERNIKA W TORUNIU +353|Acta Universitatis Stockholmiensis Stockholm Contributions in Geology| |0585-3532|Irregular| |ALMQVIST & WIKSELL INT +354|Acta Universitatis Upsaliensis Symbolae Botanicae Upsalienses| |0082-0644|Irregular| |UPPSALA UNIV +355|Acta Veterinaria Brasilica| |1981-5484|Quarterly| |PRO-REITORIA PESQUISA POS-GRADUACO-UFERSA +356|Acta Veterinaria Brno|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0001-7213|Quarterly| |VETERINARNI A FARMACEUTICKA UNIVERZITA BRNO +357|Acta Veterinaria Hungarica|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0236-6290|Quarterly| |AKADEMIAI KIADO RT +358|Acta Veterinaria Scandinavica|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0044-605X|Quarterly| |BIOMED CENTRAL LTD +359|Acta Veterinaria-Beograd|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0567-8315|Quarterly| |VETERINARY FACULTY +360|Acta Virologica|Microbiology /|0001-723X|Bimonthly| |SLOVAK ACADEMIC PRESS LTD +361|Acta Zoologica|Plant & Animal Science / Zoology; Dierkunde|0001-7272|Quarterly| |WILEY-BLACKWELL PUBLISHING +362|Acta Zoologica Academiae Scientiarum Hungaricae|Plant & Animal Science|1217-8837|Quarterly| |HUNGARIAN NATURAL HISTORY MUSEUM +363|Acta Zoologica Bulgarica|Plant & Animal Science|0324-0770|Tri-annual| |INST ZOOLOGY +364|Acta Zoologica Cracoviensia Ser A-Vertebrata|Vertebrates; Zoology|1895-3123|Semiannual| |POLISH ACAD SCIENCES +365|Acta Zoologica Cracoviensia Ser B-Invertebrata|Invertebrates; Zoology|1895-3131|Semiannual| |POLISH ACAD SCIENCES +366|Acta Zoologica Fennica| |0001-7299|Quarterly| |FINNISH ZOOLOGICAL BOTANICAL PUBLISHING BOARD +367|Acta Zoologica Lilloana| |0065-1729|Irregular| |FUNDACION MIGUEL LILLO +368|Acta Zoologica Lituanica|Zoology|1392-1657|Quarterly| |INST ECOLOGY +369|Acta Zoologica Mexicana-Nueva Serie| |0065-1737|Irregular| |INST ECOLOGIA A C +370|Acta Zoologica Sinica| |0001-7302|Quarterly| |SCIENCE CHINA PRESS +371|Acta Zoologica Taiwanica| |1019-5858|Semiannual| |NATL TAIWAN UNIV +372|Acta Zoologica Universitatis Comenianae| |1336-510X|Annual| |UNIV KOMENSKEHO +373|Acta Zootaxonomica Sinica| |1000-0739|Irregular| |SCIENCE CHINA PRESS +374|Actas Espanolas de Psiquiatria|Psychiatry/Psychology|1139-9287|Bimonthly| |GRUPO ARS XXI COMUNICACION S L +375|Actas Urológicas Españolas|Clinical Medicine /|0210-4806|Monthly| |ENE EDICIONES SL +376|Actes de Colloques-Ifremer| |0761-3962|Irregular| |INST FRANCAIS RECHERCHE EXPLOITATION MER-IFREMER +377|Actes de la recherche en sciences sociales|Social Sciences, general / Social sciences; Sciences sociales; Sociale wetenschappen|0335-5322|Quarterly| |EDITIONS SEUIL +378|Action Research|Social Sciences, general / Action research|1476-7503|Quarterly| |SAGE PUBLICATIONS LTD +379|Actual Problems of Economics|Economics & Business|1993-6788|Monthly| |NATIONAL ACAD MANAGEMENT +380|Actualidades Biologicas| |0304-3584|Semiannual| |UNIV ANTIOQUIA +381|Actualite Chimique|Chemistry|0151-9093|Monthly| |SOC FRANCAISE CHIMIE +382|Acupuncture & Electro-Therapeutics Research|Clinical Medicine|0360-1293|Tri-annual| |COGNIZANT COMMUNICATION CORP +383|Acupuncture in Medicine| |0964-5284|Quarterly| |B M J PUBLISHING GROUP +384|Ad Hoc & Sensor Wireless Networks|Computer Science|1551-9899|Bimonthly| |OLD CITY PUBLISHING INC +385|Ad Hoc Networks|Computer Science / Sensor networks; Mobile computing; Mobile communication systems; Wireless communication systems; Computernetwerken|1570-8705|Bimonthly| |ELSEVIER SCIENCE BV +386|Adalya| |1301-2746|Annual| |SUNA & INAN KIRAC RESEARCH INST MEDITERRANEAN CIVILIZATIONS +387|Adansonia|Plant & Animal Science|1280-8571|Semiannual| |PUBLICATIONS SCIENTIFIQUES DU MUSEUM +388|Adapted Physical Activity Quarterly|Social Sciences, general|0736-5829|Quarterly| |HUMAN KINETICS PUBL INC +389|Adaptive Behavior|Psychiatry/Psychology / Animal behavior; Animals; Artificial intelligence; Adaptation, Psychological; Animal Population Groups; Artificial Intelligence; Behavior, Animal|1059-7123|Bimonthly| |SAGE PUBLICATIONS LTD +390|Addiction|Clinical Medicine / Alcoholism; Drug addiction; Substance-Related Disorders; Tobacco Use Disorder; Verslaving|0965-2140|Monthly| |WILEY-BLACKWELL PUBLISHING +391|Addiction Biology|Neuroscience & Behavior / Substance abuse; Alcoholism; Substance-Related Disorders; Tobacco Use Disorder|1355-6215|Quarterly| |WILEY-BLACKWELL PUBLISHING +392|Addiction Research & Theory|Social Sciences, general / Substance abuse; Compulsive behavior; Behavior, Addictive; Substance-Related Disorders|1606-6359|Bimonthly| |TAYLOR & FRANCIS LTD +393|Addictive Behaviors|Psychiatry/Psychology / Alcoholism; Drug addiction; Obesity; Nicotine addiction; Behavior; Smoking; Alcoolisme; Toxicomanie; Obésité; Tabagisme|0306-4603|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +394|Adicciones|Clinical Medicine|0214-4840|Quarterly| |SOCIDROGALCOHOL +395|Administration & Society|Social Sciences, general / Public administration; Bestuursrecht; Overheid; Openbaar bestuur; Administration publique (Science) / Public administration; Bestuursrecht; Overheid; Openbaar bestuur; Administration publique (Science)|0095-3997|Bimonthly| |SAGE PUBLICATIONS INC +396|Administration and Policy in Mental Health and Mental Health Services Research|Mental health services; Mental health policy; Health Policy; Mental Health; Mental Health Services / Mental health services; Mental health policy; Health Policy; Mental Health; Mental Health Services|0894-587X|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +397|Administration in Social Work|Social Sciences, general / Social work administration; Organization and Administration; Social Work|0364-3107|Quarterly| |HAWORTH PRESS INC +398|Administrative Law Review|Social Sciences, general|0001-8368|Quarterly| |AMER BAR ASSOC +399|Administrative Science Quarterly|Economics & Business / Management; Organization; Public administration; Organization and Administration; Administratieve organisatie; Bestuurlijke informatieverzorging|0001-8392|Quarterly| |ADMINISTRATIVE +400|Adolescence|Psychiatry/Psychology /|0001-8449|Quarterly| |LIBRA PUBLISHERS INC +401|Adolescent Psychiatry|Psychiatry/Psychology|0065-2008|Annual| |ANALYTIC PRESS +402|Adsorption Science & Technology|Chemistry / Adsorption|0263-6174|Monthly| |MULTI-SCIENCE PUBL CO LTD +403|Adsorption-Journal of the International Adsorption Society|Chemistry / Adsorption|0929-5607|Bimonthly| |SPRINGER +404|Adult Education Quarterly|Social Sciences, general / Adult education|0741-7136|Quarterly| |SAGE PUBLICATIONS INC +405|Advanced Composite Materials|Materials Science / Composite materials; Reinforced plastics|0924-3046|Quarterly| |VSP BV +406|Advanced Composites Letters|Materials Science|0963-6935|Bimonthly| |ADCOTEC LTD +407|Advanced Drug Delivery Reviews|Pharmacology & Toxicology / Drug delivery systems; Drugs; Pharmaceutical Preparations; Médicaments|0169-409X|Monthly| |ELSEVIER SCIENCE BV +408|Advanced Engineering Informatics|Engineering / Engineering; Artificial intelligence; Expert systems (Computer science); Productieprocessen; Kunstmatige intelligentie|1474-0346|Quarterly| |ELSEVIER SCI LTD +409|Advanced Engineering Materials|Materials Science / Materials; Materiaalkunde|1438-1656|Monthly| |WILEY-V C H VERLAG GMBH +410|Advanced Functional Materials|Materials Science / Molecular electronics; Electrooptics; Optoelectronics; Materiaalkunde|1616-301X|Monthly| |WILEY-V C H VERLAG GMBH +411|Advanced Materials|Materials Science / Materials; Chemical vapor deposition; Materialen; Vernieuwing; Technologie|0935-9648|Semimonthly| |WILEY-V C H VERLAG GMBH +412|Advanced Materials & Processes|Materials Science|0882-7958|Monthly| |ASM INT +413|Advanced Nonlinear Studies|Mathematics|1536-1365|Quarterly| |ADVANCED NONLINEAR STUDIES +414|Advanced Powder Technology|Chemistry / Powders; Particles; Granular materials|0921-8831|Bimonthly| |ELSEVIER SCIENCE BV +415|Advanced Robotics|Engineering / Robotics|0169-1864|Bimonthly| |VSP BV +416|Advanced Science Letters|Multidisciplinary|1936-6612|Quarterly| |AMER SCIENTIFIC PUBLISHERS +417|Advanced Steel Construction|Engineering|1816-112X|Quarterly| |HONG KONG INST STEEL CONSTRUCTION +418|Advanced Studies in Biology| |1313-9495|Tri-annual| |HIKARI LTD +419|Advanced Synthesis & Catalysis|Chemistry / Chemistry; Chemistry, Technical; Catalysis; Technology, Pharmaceutical; Procestechnologie; Katalyse; Synthese (chemie)|1615-4150|Semimonthly| |WILEY-V C H VERLAG GMBH +420|Advances in Agronomy|Agricultural Sciences|0065-2113|Irregular| |ELSEVIER ACADEMIC PRESS INC +421|Advances in Amphibian Research in the Former Soviet Union| |1310-8840|Annual| |PENSOFT PUBLISHERS +422|Advances in Anatomic Pathology|Clinical Medicine / Pathology; Pathology, Surgical|1072-4109|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +423|Advances in Anatomy Embryology and Cell Biology|Molecular Biology & Genetics|0301-5556|Quarterly| |SPRINGER-VERLAG BERLIN +424|Advances in Applied Ceramics|Materials Science / Ceramics|1743-6753|Bimonthly| |MANEY PUBLISHING +425|Advances in Applied Clifford Algebras|Mathematics / Clifford algebras|0188-7009|Quarterly| |BIRKHAUSER VERLAG AG +426|Advances in Applied Mathematics|Mathematics / Mathematics|0196-8858|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +427|Advances in Applied Mechanics|Engineering|0065-2156|Annual| |ELSEVIER ACADEMIC PRESS INC +428|Advances in Applied Microbiology Series| |0065-2164|Irregular| |ELSEVIER ACADEMIC PRESS INC +429|Advances in Applied Probability|Mathematics / Probabilities; Mathematics; Probability; Statistics|0001-8678|Quarterly| |APPLIED PROBABILITY TRUST +430|Advances in Atmospheric Sciences|Geosciences / Meteorology; Marine meteorology|0256-1530|Bimonthly| |SCIENCE CHINA PRESS +431|Advances in Atomic Molecular and Optical Physics|Physics|1049-250X|Annual| |ELSEVIER ACADEMIC PRESS INC +432|Advances in Atomic Molecular and Optical Physics| |0065-2199|Annual| |ACADEMIC PRESS INC ELSEVIER SCIENCE +433|Advances in Biochemical Engineering-Biotechnology| |0724-6145|Irregular| |SPRINGER-VERLAG BERLIN +434|Advances in Biophysics|Biology & Biochemistry / Biophysics; Biophysique|0065-227X|Annual| |JAPAN SCIENTIFIC SOC PRESS +435|Advances in Botanical Research|Botany; Botanica|0065-2296|Irregular| |ACADEMIC PRESS LTD-ELSEVIER SCIENCE LTD +436|Advances in Cancer Research|Clinical Medicine / Cancer; Neoplasms, Experimental|0065-230X|Irregular| |ELSEVIER ACADEMIC PRESS INC +437|Advances in Carbohydrate Chemistry and Biochemistry Series|Carbohydrates; Biochimie; Glucides; Biochemistry|0065-2318|Irregular| |ELSEVIER ACADEMIC PRESS INC +438|Advances in Cardiology|Clinical Medicine|0065-2326|Irregular| |KARGER +439|Advances in Catalysis|Chemistry|0360-0564|Annual| |ELSEVIER ACADEMIC PRESS INC +440|Advances in Cement Research|Materials Science / Cement; Cement industries|0951-7197|Quarterly| |THOMAS TELFORD PUBLISHING +441|Advances in Chemical Physics|Chemistry|0065-2385|Annual| |JOHN WILEY & SONS INC +442|Advances in Chemical Physics| |0065-2385|Annual| |JOHN WILEY & SONS INC +443|Advances in Child Development and Behavior|Psychiatry/Psychology|0065-2407|Irregular| |ELSEVIER ACADEMIC PRESS INC +444|Advances in Chromatography|Chemistry|0065-2415|Annual| |CRC PRESS-TAYLOR & FRANCIS GROUP +445|Advances in Chronic Kidney Disease|Clinical Medicine /|1548-5595|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +446|Advances in Clinical and Experimental Medicine|Clinical Medicine|1230-025X|Bimonthly| |WROCLAW MEDICAL UNIV +447|Advances in Clinical Chemistry|Clinical Medicine|0065-2423|Irregular| |ELSEVIER ACADEMIC PRESS INC +448|Advances in Colloid and Interface Science|Chemistry / Surface chemistry; Colloids; Chemistry, Physical|0001-8686|Semimonthly| |ELSEVIER SCIENCE BV +449|Advances in Complex Systems|Multidisciplinary /|0219-5259|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +450|Advances in Computational Mathematics|Mathematics / Numerical calculations; Numerical analysis|1019-7168|Bimonthly| |SPRINGER +451|Advances in Computers|Computer Science|0065-2458|Annual| |ELSEVIER ACADEMIC PRESS INC +452|Advances in Difference Equations|Mathematics / Difference equations|1687-1839|Quarterly| |HINDAWI PUBLISHING CORPORATION +453|Advances in Differential Equations|Mathematics|1079-9389|Monthly| |KHAYYAM PUBL CO INC +454|Advances in Ecological Research|Environment/Ecology / Ecology; Research; Ecologie; Écologie|0065-2504|Irregular| |ELSEVIER ACADEMIC PRESS INC +455|Advances in Electrical and Computer Engineering|Engineering /|1582-7445|Semiannual| |UNIV SUCEAVA +456|Advances in Engineering Software|Computer Science / Engineering|0965-9978|Monthly| |ELSEVIER SCI LTD +457|Advances in Environmental Biology| |1995-0756|Tri-annual| |AM-EURASIAN NETWORK SCI INFORMATION-AENSI +458|Advances in Enzymology and Related Subjects| |0065-258X|Irregular| |JOHN WILEY & SONS INC +459|Advances in Enzymology and Related Subjects of Biochemistry| |0065-258X|Irregular| |JOHN WILEY & SONS INC +460|Advances in Experimental Medicine and Biology|Clinical Medicine|0065-2598|Irregular| |SPRINGER-VERLAG BERLIN +461|Advances in Experimental Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Experimental; Psychology, Social; Sociale psychologie; Psychologie sociale|0065-2601|Annual| |ELSEVIER ACADEMIC PRESS INC +462|Advances in Fish Research| | |Irregular| |NARENDRA PUBL HOUSE +463|Advances in Food Sciences| |1431-7737|Quarterly| |PARLAR SCIENTIFIC PUBLICATIONS (P S P) +464|Advances in Genetics| |0065-2660|Irregular| |ELSEVIER ACADEMIC PRESS INC +465|Advances in Geometry|Mathematics / Geometry|1615-715X|Quarterly| |WALTER DE GRUYTER & CO +466|Advances in Geophysics|Geosciences / Geophysics; Geology; Physics; Weather; Geofysica|0065-2687|Annual| |ELSEVIER ACADEMIC PRESS INC +467|Advances in Health Sciences Education|Social Sciences, general / Education, Dental; Education, Medical; Education, Nursing; Physical Therapy (Specialty); Wetenschappelijk onderwijs; Geneeskunde|1382-4996|Tri-annual| |SPRINGER +468|Advances in Heterocyclic Chemistry|Chemistry / Heterocyclic compounds; Heterocyclic Compounds; Composés hétérocycliques; Chimie organique|0065-2725|Annual| |ELSEVIER ACADEMIC PRESS INC +469|Advances in Horticultural Science| |0394-6169|Quarterly| |FIRENZE UNIV PRESS +470|Advances in Human Genetics| |0065-275X|Irregular| |KLUWER ACADEMIC/PLENUM PUBL +471|Advances in Imaging and Electron Physics|Physics|1076-5670|Irregular| |ELSEVIER ACADEMIC PRESS INC +472|Advances in Immunology|Immunology / Immunology; Allergy and Immunology; Immunologie|0065-2776|Irregular| |ELSEVIER ACADEMIC PRESS INC +473|Advances in Inorganic Chemistry|Chemistry / Chemistry, Inorganic; Chemistry; Anorganische chemie; Chimie inorganique|0898-8838|Annual| |ELSEVIER ACADEMIC PRESS INC +474|Advances in Insect Physiology|Plant & Animal Science|0065-2806|Irregular| |ACADEMIC PRESS LTD-ELSEVIER SCIENCE LTD +475|Advances in Marine Biology|Marine biology; Marine Biology|0065-2881|Irregular| |ELSEVIER ACADEMIC PRESS INC +476|Advances in Mathematics|Mathematics / Mathematics; Mathématiques; Wiskunde|0001-8708|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +477|Advances in Mathematics of Communications|Mathematics / Telecommunication; Mathematics|1930-5346|Quarterly| |AMER INST MATHEMATICAL SCIENCES +478|Advances in Medical Sciences|Clinical Medicine / Medicine; Medical sciences|1896-1126|Semiannual| |MEDICAL UNIV BIALYSTOK +479|Advances in Microbial Ecology|Environment/Ecology|0147-4863|Irregular| |KLUWER ACADEMIC/PLENUM PUBL +480|Advances in Microbial Physiology|Microbiology / Microorganisms; Biochemistry; Microbiology; Microbiologie; Fysiologie; Moleculaire biologie; Biotechnologie; Micro-organismes|0065-2911|Irregular| |ACADEMIC PRESS LTD-ELSEVIER SCIENCE LTD +481|Advances in Neurology|Neuroscience & Behavior|0091-3952|Irregular| |LIPPINCOTT WILLIAMS & WILKINS +482|Advances in Nuclear Physics|Physics|0065-2970|Annual| |KLUWER ACADEMIC/PLENUM PUBL +483|Advances in Nursing Science|Social Sciences, general|0161-9268|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +484|Advances in Nutritional Research|Agricultural Sciences|0149-9483|Irregular| |PLENUM PRESS DIV PLENUM PUBLISHING CORP +485|Advances in Organometallic Chemistry|Chemistry|0065-3055|Annual| |ELSEVIER ACADEMIC PRESS INC +486|Advances in Parasitology|Microbiology /|0065-308X|Irregular| |ELSEVIER ACADEMIC PRESS INC +487|Advances in Physical Organic Chemistry Series|Physical organic chemistry; Chemistry; Chimie organique physique|0065-3160|Annual| |ACADEMIC PRESS LTD-ELSEVIER SCIENCE LTD +488|Advances In Physics|Physics / Physics; Natuurkunde; Physique|0001-8732|Bimonthly| |TAYLOR & FRANCIS LTD +489|Advances in Physiology Education|Biology & Biochemistry / Physiology; Teaching|1043-4046|Quarterly| |AMER PHYSIOLOGICAL SOC +490|Advances in Plant Sciences| |0970-3586|Semiannual| |ACAD PLANT SCIENCES +491|Advances in Polymer Science|Chemistry|0065-3195|Irregular| |SPRINGER-VERLAG BERLIN +492|Advances in Polymer Science| |0065-3195|Quarterly| |SPRINGER +493|Advances in Polymer Technology|Chemistry / Plastics; Polymers; Matières plastiques; Polymères|0730-6679|Quarterly| |JOHN WILEY & SONS INC +494|Advances in Protein Chemistry and Structural Biology| |1876-1623|Annual| |ELSEVIER ACADEMIC PRESS INC +495|Advances in Psychosomatic Medicine|Clinical Medicine|0065-3268|Annual| |KARGER +496|Advances in Quantum Chemistry|Chemistry|0065-3276|Annual| |ELSEVIER ACADEMIC PRESS INC +497|Advances in Services Marketing and Management|Economics & Business|1067-5671|Annual| |JAI-ELSEVIER LTD +498|Advances in Space Research|Space Science / Space sciences; Astronautics; Geophysics; Ruimteonderzoek; Sterrenkunde|0273-1177|Semimonthly| |ELSEVIER SCI LTD +499|Advances in Strategic Management-A Research Annual| |0742-3322|Annual| |EMERALD GROUP PUBLISHING LIMITED +500|Advances in Structural Engineering|Engineering / Structural engineering|1369-4332|Bimonthly| |MULTI-SCIENCE PUBL CO LTD +501|Advances in the Study of Behavior|Neuroscience & Behavior / Animal behavior; Human behavior; Psychology, Comparative; Behavior; Gedragstherapie; Animaux; Comportement humain; Psychologie comparée|0065-3454|Irregular| |ELSEVIER ACADEMIC PRESS INC +502|Advances in Theoretical and Mathematical Physics|Physics|1095-0761|Bimonthly| |INT PRESS BOSTON +503|Advances in Therapy|Clinical Medicine / Diagnosis; Drug Therapy; Equipment and Supplies|0741-238X|Monthly| |SPRINGER +504|Advances in Vibration Engineering|Engineering|0972-5768|Quarterly| |KRISHTEL EMAGING SOLUTIONS PVT LTD +505|Advances in Virus Research|Microbiology / Virology; Virologie|0065-3527|Irregular| |ELSEVIER ACADEMIC PRESS INC +506|Advances in Water Resources|Engineering / Hydraulic engineering; Hydrodynamics|0309-1708|Monthly| |ELSEVIER SCI LTD +507|Adverse Drug Reaction Bulletin|Drugs; Drug Therapy|0044-6394|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +508|Adverse Drug Reaction Journal-China| |1008-5734|Quarterly| |ADVERSE DRUG REACTION JOURNAL +509|Aequationes Mathematicae|Mathematics; Functional equations; Mathematical analysis; Mathématiques; Équations fonctionnelles; Analyse mathématique|0001-9054|Bimonthly| |BIRKHAUSER VERLAG AG +510|Aerobiologia|Environment/Ecology / Air; Air Microbiology; Atmosphere|0393-5965|Quarterly| |SPRINGER +511|Aeronautical Journal|Engineering|0001-9240|Monthly| |ROYAL AERONAUTICAL SOC +512|Aerosol and Air Quality Research|Environment/Ecology /|1680-8584|Quarterly| |TAIWAN ASSOC AEROSOL RES-TAAR +513|Aerosol Science and Technology|Engineering / Aerosols; Aerosol Propellants / Aerosols; Aerosol Propellants|0278-6826|Monthly| |TAYLOR & FRANCIS INC +514|Aerospace America|Engineering|0740-722X|Monthly| |AMER INST AERONAUT ASTRONAUT +515|Aerospace Science and Technology|Engineering / Aeronautics; Astronautics|1270-9638|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +516|Aesthetic Plastic Surgery|Clinical Medicine / Surgery, Plastic; Esthetics; Plastische chirurgie; Cosmetische chirurgie|0364-216X|Bimonthly| |SPRINGER +517|Aeu-International Journal of Electronics and Communications|Computer Science /|1434-8411|Bimonthly| |ELSEVIER GMBH +518|Aevum-Rassegna Di Scienze Storiche Linguistiche E Filologiche| |0001-9593|Tri-annual| |VITA PENSIERO +519|Affilia-Journal of Women and Social Work|Social Sciences, general / Social work with women; Women social workers; Social service; Service social aux femmes; Travailleuses sociales; Service social|0886-1099|Irregular| |SAGE PUBLICATIONS INC +520|Afinidad|Chemistry|0001-9704|Bimonthly| |ASOC QUIMICOS +521|Africa|Social Sciences, general / African languages; Ethnology; Research; Langues africaines; Etnografie; SOCIAL CONDITIONS; POLITICAL CONDITIONS; ECONOMIC CONDITIONS|0001-9720|Quarterly| |EDINBURGH UNIV PRESS +522|Africa Birds & Birding| |1025-8264|Bimonthly| |BLACK EAGLE PUBLISHING +523|Africa Geoscience Review| |1117-370X|Quarterly| |ROCK VIEW INT +524|African Affairs|Social Sciences, general / Politieke ontwikkeling|0001-9909|Quarterly| |OXFORD UNIV PRESS +525|African American Review|American literature; African American arts|1062-4783|Quarterly| |AFRICAN AMER REVIEW +526|African and Asian Studies|Social Sciences, general /|1569-2094|Tri-annual| |BRILL ACADEMIC PUBLISHERS +527|African Archaeological Review|Excavations (Archaeology); Antiquities, Prehistoric; Prehistoric peoples / Excavations (Archaeology); Antiquities, Prehistoric; Prehistoric peoples|0263-0338|Semiannual| |SPRINGER +528|African Arts|Art, African; Art africain|0001-9933|Quarterly| |M I T PRESS +529|African Bat Conservation News| |1812-1268|Quarterly| |TRANSVAAL MUSEUM +530|African Chiroptera Report| |1990-6471|Annual| |AFRICAN CHIROPTERA REPORT +531|African Development Review-Revue Africaine de Developpement|Social Sciences, general / Economische ontwikkeling; ECONOMIC CONDITIONS; ECONOMIC DEVELOPMENT; AFRICA|1017-6772|Tri-annual| |WILEY-BLACKWELL PUBLISHING +532|African Economic History|Economische geschiedenis|0145-2258|Annual| |UNIV WISCONSIN MADISON +533|African Entomology|Plant & Animal Science /|1021-3589|Semiannual| |ENTOMOLOGICAL SOC SOUTHERN AFRICA +534|African Entomology Memoir| |0373-4242|Irregular| |ENTOMOLOGICAL SOC SOUTHERN AFRICA +535|African Health Sciences|Clinical Medicine / Medicine; Medical care; Delivery of Health Care|1680-6905|Quarterly| |MAKERERE UNIV +536|African Herp News| |1017-6187|Tri-annual| |HERPETOLOGICAL ASSOC AFRICA +537|African Invertebrates|Plant & Animal Science|1681-5556|Annual| |COUNCIL NATAL MUSEUM +538|African Journal of Agricultural Research|Agricultural Sciences|1991-637X|Monthly| |ACADEMIC JOURNALS +539|African Journal of Aquatic Science|Plant & Animal Science / Limnology|1608-5914|Semiannual| |NATL INQUIRY SERVICES CENTRE PTY LTD +540|African Journal of Biomedical Research| |1119-5096|Semiannual| |IBADAN BIOMEDICAL COMMUNICATIONS GROUP +541|African Journal of Biotechnology|Biology & Biochemistry|1684-5315|Monthly| |ACADEMIC JOURNALS +542|African Journal of Business Management|Economics & Business|1993-8233|Monthly| |ACADEMIC JOURNALS +543|African Journal of Ecology|Environment/Ecology / Animal ecology; Ecology; Wildlife management|0141-6707|Quarterly| |WILEY-BLACKWELL PUBLISHING +544|African Journal of Environmental Assessment and Management| |1436-7890|Irregular| |AJEAM-RAGEE +545|African Journal of Herpetology|Plant & Animal Science /|0441-6651|Semiannual| |TAYLOR & FRANCIS LTD +546|African Journal of Library Archives and Information Science|Social Sciences, general|0795-4778|Semiannual| |ARCHLIB & INFORMATION SERVICES LTD +547|African Journal of Marine Science|Plant & Animal Science / Marine biology; Marine sciences|1814-232X|Tri-annual| |NATL INQUIRY SERVICES CENTRE PTY LTD +548|African Journal of Microbiology Research|Microbiology|1996-0808|Monthly| |ACADEMIC JOURNALS +549|African Journal of Mycology and Biotechnology| |1110-5879|Quarterly| |REGIONAL CENTER MYCOLOGY & BIOTECHNOLOGY +550|African Journal of Pharmacy and Pharmacology|Pharmacology & Toxicology|1996-0816|Monthly| |ACADEMIC JOURNALS +551|African Journal of Psychiatry|Psychiatry/Psychology|1994-8220|Quarterly| |IN HOUSE PUBLICATIONS +552|African Journal of Range & Forage Science|Environment/Ecology / Range management; Range plants; Grazing; Grasslands; Forage|1022-0119|Tri-annual| |NATL INQUIRY SERVICES CENTRE PTY LTD +553|African Journal of Traditional Complementary and Alternative Medicines| |0189-6016|Quarterly| |AFRICAN NETWORKS ETHNOMEDICINES +554|African Natural History|Environment/Ecology|1816-8396|Annual| |IZIKO MUSEUMS CAPE TOWN +555|African Plant Protection| |1023-3121|Semiannual| |AGRICULTURAL RESEARCH COUNCIL +556|African Primates| |1026-2865|Semiannual| |IUCN-SSC PRIMATE SPECIALIST GROUP +557|African Studies|Social Sciences, general / Ethnology; Indigenous peoples; African languages; Ethnologie; Autochtones; Langues africaines; POLITICAL CONDITIONS; SOCIAL CONDITIONS; ECONOMIC CONDITIONS; AFRICA|0002-0184|Tri-annual| |WITWATERSRAND UNIV PRESS +558|African Studies Review|Social Sciences, general / African philology; Philologie africaine|0002-0206|Tri-annual| |AFRICAN STUDIES REVIEW +559|African Study Monographs| |0285-1601|Irregular| |KYOTO UNIV +560|African Zoology|Plant & Animal Science / Animals; Zoology; Dierkunde|1562-7020|Semiannual| |ZOOLOGICAL SOC SOUTHERN AFRICA +561|Africana Linguistica|Social Sciences, general|0065-4124|Annual| |ROYAL MUSEUM CENTRAL AFRICA-BELGIUM +562|Afrika Spectrum|Social Sciences, general|0002-0397|Tri-annual| |INST AFRIKA-KUNDE +563|Afring News| |1817-9770|Semiannual| |UNIV CAPE TOWN +564|Afrotherian Conservation| | |Irregular| |IUCN-SSC AFROTHERIA SPECIALIST GROUP +565|Afzettingen Werkgroep Voor Tertiaire En Kwartaire Geologie| |0926-9347|Quarterly| |WERKGROEP VOOR TERTIAIRE EN KWARTAIRE GEOLOGIE +566|Agbioforum| |1522-936X|Quarterly| |UNIV MISSOURI +567|AGE|Clinical Medicine / Aging|0161-9152|Quarterly| |SPRINGER +568|Age and Ageing|Clinical Medicine / Geriatrics; Aging; Gériatrie; Vieillissement; Gerontologie|0002-0729|Bimonthly| |OXFORD UNIV PRESS +569|Ageing & Society|Social Sciences, general / Aging; Gerontology; Geriatrics; Vieillesse; Vieillissement; Personnes âgées; Gérontologie; Gerontologie|0144-686X|Bimonthly| |CAMBRIDGE UNIV PRESS +570|Ageing Research Reviews|Social Sciences, general / Aging; Developmental biology; Developmental Biology; Gerontologie|1568-1637|Quarterly| |ELSEVIER IRELAND LTD +571|Agenda|Women; Feminism|0002-0796|Quarterly| |AGENDA MAGAZINE ED CHAR TRUST +572|Aggression and Violent Behavior|Psychiatry/Psychology / Aggressiveness; Violence; Violent crimes; Aggression; Behavior|1359-1789|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +573|Aggressive Behavior|Psychiatry/Psychology / Aggressiveness; Violence; Psychology, Experimental; Aggression; Agressivité; Agressivité chez les animaux; Agressief gedrag|0096-140X|Bimonthly| |WILEY-LISS +574|Aging & Mental Health|Psychiatry/Psychology / Older people; Geriatric psychiatry; Aged; Aging; Mental Disorders; Mental Health; Mental Health Services / Older people; Geriatric psychiatry; Aged; Aging; Mental Disorders; Mental Health; Mental Health Services|1360-7863|Bimonthly| |ROUTLEDGE JOURNALS +575|Aging Cell|Molecular Biology & Genetics / Cells; Cell Aging; Aging|1474-9718|Bimonthly| |WILEY-BLACKWELL PUBLISHING +576|Aging Clinical and Experimental Research|Clinical Medicine|1594-0667|Bimonthly| |EDITRICE KURTIS S R L +577|Aging Male|Clinical Medicine / Aging; Older men; Men; Sex Factors|1368-5538|Quarterly| |INFORMA HEALTHCARE +578|Aging Neuropsychology and Cognition|Psychiatry/Psychology / Cognitive neuroscience; Cognition in old age; Older people; Neuropsychology; Aging; Cognition; Cognition Disorders; Adult; Aged; Neuropsychologie; Gerontologie; Cognitie / Cognitive neuroscience; Cognition in old age; Older people|1382-5585|Bimonthly| |PSYCHOLOGY PRESS +579|Aging-Us|Molecular Biology & Genetics|1945-4589|Monthly| |IMPACT JOURNALS LLC +580|Agora-Estudos Classicos Em Debate| |0874-5498|Annual| |UNIV AVEIRO +581|Agrarforschung Schweiz| |1663-7852|Monthly| |AGRARFORSCHUNG +582|Agraroekologie| |1421-5594|Bimonthly| |VERLAG PAUL HAUPT BERN +583|Agrekon|Economics & Business /|0303-1853|Quarterly| |AGRICULTURAL ECON ASSOC SOUTH AFRICA +584|Agribusiness|Agricultural Sciences / Agriculture; Agricultural industries; Food industry and trade; Commercial products|0742-4477|Quarterly| |JOHN WILEY & SONS INC +585|Agricultural and Biological Research| |0970-1907|Semiannual| |YOUNG ENVIRONMENTALIST ASSOC +586|Agricultural and Food Science|Agricultural Sciences / Agriculture; Food|1459-6067|Quarterly| |AGRICULTURAL RESEARCH CENTRE FINLAND +587|Agricultural and Forest Entomology|Plant & Animal Science / Insect pests; Agricultural pests; Forest insects|1461-9555|Quarterly| |WILEY-BLACKWELL PUBLISHING +588|Agricultural and Forest Meteorology|Agricultural Sciences / Crops and climate; Meteorology, Agricultural; Forest meteorology|0168-1923|Monthly| |ELSEVIER SCIENCE BV +589|Agricultural Chemistry and Biotechnology| |1229-2737|Bimonthly| |KOREAN SOC APPLIED BIOLOGICAL CHEMISTRY +590|Agricultural Economics|Economics & Business / Agriculture|0169-5150|Bimonthly| |WILEY-BLACKWELL PUBLISHING +591|Agricultural Economics-Zemedelska Ekonomika|Economics & Business|0139-570X|Monthly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +592|Agricultural History|Agricultural Sciences / Agriculture; Landbouw|0002-1482|Quarterly| |UNIV CALIFORNIA PRESS +593|Agricultural History Review| |0002-1490|Semiannual| |BRITISH AGRICULTURAL HISTORY SOC +594|Agricultural Science Digest| |0253-150X|Quarterly| |AGRICULTURAL RESEARCH COMMUNICATION CENTRE +595|Agricultural Sciences in China|Agriculture|1671-2927|Monthly| |ELSEVIER SCI LTD +596|Agricultural Systems|Agricultural Sciences / Agricultural systems|0308-521X|Monthly| |ELSEVIER SCI LTD +597|Agricultural Water Management|Agricultural Sciences / Water in agriculture|0378-3774|Monthly| |ELSEVIER SCIENCE BV +598|Agriculture and Human Values|Social Sciences, general / Agriculture / Agriculture|0889-048X|Quarterly| |SPRINGER +599|Agriculture Ecosystems & Environment|Environment/Ecology / Agricultural ecology; Agriculture; Écologie agricole|0167-8809|Semimonthly| |ELSEVIER SCIENCE BV +600|Agro Food Industry Hi-Tech|Agricultural Sciences|1722-6996|Bimonthly| |TEKNOSCIENZE PUBL +601|Agroborealis| |0002-1822|Semiannual| |UNIV ALASKA FAIRBANKS +602|Agrochemicals Japan| |0919-5505|Semiannual| |JAPAN PLANT PROTECTION ASSOC +603|Agrochimica|Agricultural Sciences|0002-1857|Semiannual| |IST CHIMICA AGRARIA +604|Agrociencia|Agricultural Sciences|1405-3195|Bimonthly| |COLEGIO DE POSTGRADUADOS +605|Agroforestry Systems|Agricultural Sciences / Agroforestry / Agroforestry|0167-4366|Monthly| |SPRINGER +606|Agrokhimiya| |0002-1881|Monthly| |IZDATELSTVO NAUKA +607|Agronomia Costarricense| |0377-9424|Semiannual| |UNIV COSTA RICA +608|Agronomia Mesoamericana| |1021-7444|Semiannual| |UNIV COSTA RICA +609|Agronomia Tropical| |0002-192X|Quarterly| |INST NACIONAL INVESTIGACIONES AGRICOLAS-INIA +610|Agronomy for Sustainable Development|Agricultural Sciences /|1774-0746|Quarterly| |EDP SCIENCES S A +611|Agronomy Journal|Agricultural Sciences / Semigroups; Semigroepen|0002-1962|Bimonthly| |AMER SOC AGRONOMY +612|Agronomy Research| |1406-894X|Semiannual| |ESTONIAN AGRICULTURAL UNIV +613|Agronoomia| |1736-6275| | |EESTI MAAVILJELUSE INST +614|Ai Communications|Engineering|0921-7126|Quarterly| |IOS PRESS +615|Ai Edam-Artificial Intelligence for Engineering Design Analysis and Manufacturing|Engineering / Engineering design; Artificial intelligence; Expert systems (Computer science)|0890-0604|Bimonthly| |CAMBRIDGE UNIV PRESS +616|Ai Magazine|Engineering|0738-4602|Quarterly| |AMER ASSOC ARTIFICIAL INTELL +617|AIAA Journal|Engineering / Aeronautics; Astronautics; Aéronautique; Astronautique|0001-1452|Monthly| |AMER INST AERONAUT ASTRONAUT +618|Aibr-Revista de Antropologia Iberoamericana|Social Sciences, general|1695-9752|Tri-annual| |ASOC ANTHROPOLOGOS IBERAMERICANOS RED +619|AIChE Journal|Chemistry / Chemical engineering; Chemische technologie|0001-1541|Monthly| |JOHN WILEY & SONS INC +620|AIDS|Immunology / AIDS (Disease); Acquired Immunodeficiency Syndrome; AIDS; Sida|0269-9370|Semimonthly| |LIPPINCOTT WILLIAMS & WILKINS +621|AIDS and Behavior|Psychiatry/Psychology / AIDS (Disease); Health behavior; Acquired Immunodeficiency Syndrome; Behavior; Health Knowledge, Attitudes, Practice|1090-7165|Quarterly| |SPRINGER/PLENUM PUBLISHERS +622|Aids Care-Psychological and Socio-Medical Aspects of Aids/hiv|Social Sciences, general / AIDS (Disease); Acquired Immunodeficiency Syndrome; Social Support; Sida; Sidéens; AIDS; Psychologische aspecten; Verpleging; Sociale geneeskunde|0954-0121|Monthly| |ROUTLEDGE JOURNALS +623|AIDS Education and Prevention|Social Sciences, general / AIDS (Disease); Health education; Acquired Immunodeficiency Syndrome; Sida; Éducation sanitaire|0899-9546|Bimonthly| |GUILFORD PUBLICATIONS INC +624|AIDS PATIENT CARE and STDs|Social Sciences, general / AIDS (Disease); Sexually transmitted diseases; Acquired Immunodeficiency Syndrome; HIV Infections; Sexually Transmitted Diseases; AIDS; Seksueel overdraagbare aandoeningen; Verpleging; Sidéens; Maladies transmises sexuellement|1087-2914|Monthly| |MARY ANN LIEBERT INC +625|Aids Reader|Clinical Medicine|1053-0894|Monthly| |CLIGGOTT PUBLISHING CO +626|AIDS Research and Human Retroviruses|Immunology / AIDS (Disease); Retroviruses; HIV (Viruses); Acquired Immunodeficiency Syndrome; Retroviridae; Sida; Rétrovirus; Virus du sida; AIDS; Retrovirussen|0889-2229|Monthly| |MARY ANN LIEBERT INC +627|Aids Reviews|Clinical Medicine|1139-6121|Quarterly| |PERMANYER PUBL +628|Aims Report| |1033-6974|Annual| |AUSTRALIAN INST MARINE SCIENCE +629|Aircraft Engineering and Aerospace Technology|Engineering / Aeronautics|1748-8842|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +630|Airline Business| |0268-7615|Monthly| |REED BUSINESS INFORMATION LTD +631|Airo| |0871-6595|Irregular| |SOC PORTUGUESA PARA ESTUDO AVES +632|Ajar-African Journal of Aids Research|Clinical Medicine / Acquired Immunodeficiency Syndrome|1608-5906|Tri-annual| |NATL INQUIRY SERVICES CENTRE PTY LTD +633|Ajidd-American Journal on Intellectual and Developmental Disabilities|Social Sciences, general / Mental retardation; People with mental disabilities; Mental Retardation; Mentale retardatie|1944-7515|Bimonthly| |AMER ASSOC INTELLECTUAL DEVELOPMENTAL DISABILITIES +634|Ajs Review-The Journal of the Association for Jewish Studies|Judaism; Jews|0364-0094|Semiannual| |CAMBRIDGE UNIV PRESS +635|Akdeniz Universitesi Ziraat Fakultesi Dergisi| |1301-2215|Annual| |AKDENIZ UNIV +636|Aktuelle Neurologie|Clinical Medicine / Neurology|0302-4350|Monthly| |GEORG THIEME VERLAG KG +637|Aktuelle Rheumatologie|Clinical Medicine / Arthritis; Rheumatic Diseases; Spinal Diseases|0341-051X|Bimonthly| |GEORG THIEME VERLAG KG +638|Aktuelle Urologie|Clinical Medicine / Urology|0001-7868|Bimonthly| |GEORG THIEME VERLAG KG +639|Akzente-Zeitschrift fur Literatur| |0002-3957|Bimonthly| |CARL HANSER VERLAG +640|Al Gologiya| |0868-8540|Quarterly| |N G KHOLODNY INST BOTANY +641|Al-Basit| |0212-8632|Semiannual| |INST ESTUDIOS ALBACETENSES +642|Al-Qantara| |0211-3589|Irregular| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +643|Alaska Department of Fish and Game Division of Subsistence Technical Report| | |Irregular| |ALASKA DEPT FISH GAME +644|Alaska Department of Fish and Game Division of Wildlife Conservation Federal Aid in Wildlife Restoration Annual Research Performance Report| | |Irregular| |ALASKA DEPT FISH GAME +645|Alaska Department of Fish and Game Division of Wildlife Conservation Federal Aid in Wildlife Restoration Survey-Inventory Management Report| | |Irregular| |ALASKA DEPT FISH GAME +646|Alaska Department of Fish and Game Research Final Report Survey-Inventory Activities| | |Irregular| |ALASKA DEPT FISH GAME +647|Alaska Fishery Research Bulletin| |1091-7306|Semiannual| |ALASKA DEPT FISH GAME +648|Alauda| |0002-4619|Quarterly| |SOC ETUDES ORNITHOLOGIQUES FRANCE +649|Alavesia| |1887-7419|Annual| |INT PALAEOENTOMOLOGICAL SOC-IPS +650|Alberta Species at Risk Report| |1496-7219|Irregular| |ALBERTA SUSTAINABLE RESOURCE DEVELOPMENT +651|Albertiana| |0169-4324|Semiannual| |ALBERTIANA +652|Albertine Rift Technical Reports Series| |1543-4109|Irregular| |WILDLIFE CONSERVATION SOC +653|Albolafia| |1886-2985|Irregular| |SOC ANDALUZA ENTOMOLOGIA +654|Alces| |0835-5851|Annual| |LAKEHEAD UNIV BOOKSTORE +655|Alcheringa|Geosciences / Paleontology|0311-5518|Quarterly| |TAYLOR & FRANCIS LTD +656|Alcohol|Neuroscience & Behavior / Alcohol; Alcoholism; Ethanol; Alcool; Alcoolisme|0741-8329|Monthly| |ELSEVIER SCIENCE INC +657|Alcohol and Alcoholism|Clinical Medicine / Alcoholism; Ethanol; Alcoolisme|0735-0414|Bimonthly| |OXFORD UNIV PRESS +658|Alcohol Research & Health|Clinical Medicine|1535-7414|Quarterly| |NATL INST ALCOHOL ABUSE ALCOHOLISM +659|Alcoholism-Clinical and Experimental Research|Clinical Medicine / Alcoholism; Alcoolisme; Alcohol; Alcoholvergiftiging; Alcoholisme|0145-6008|Monthly| |WILEY-BLACKWELL PUBLISHING +660|Alcoholism-Zagreb| |0002-502X|Semiannual| |CENTER STUDY & CONTROL ALCOHOLISM & ADDICTIONS +661|Aldrichimica Acta|Chemistry|0002-5100|Tri-annual| |ALDRICH CHEMICAL CO INC +662|Aldrovandia| |1825-2613|Monthly| |MUSEO CIVICO ZOOLOGIA ROMA +663|Alea-Estudos Neolatinos|Romance literature; Romance languages|1517-106X|Semiannual| |UNIV FED RIO DE JANEIRO +664|Aleph-Historical Studies in Science & Judaism|Judaism and science; Religion and Science; Science; Judaism|1565-1525|Annual| |INDIANA UNIV PRESS +665|ALGAE| |1226-2617|Bimonthly| |KOREAN SOC PHYCOLOGY +666|Algebra & Number Theory|Mathematics /|1937-0652|Quarterly| |MATHEMATICAL SCIENCE PUBL +667|Algebra and Logic|Algebraic logic; Algebra; Logic, Symbolic and mathematical; Logica|0002-5232|Bimonthly| |SPRINGER +668|Algebra Colloquium|Mathematics / Algebra|1005-3867|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +669|Algebra Universalis|Mathematics / Algebra, Universal; Lattice theory; Algèbre universelle; Treillis, Théorie des|0002-5240|Bimonthly| |BIRKHAUSER VERLAG AG +670|Algebraic and Geometric Topology|Mathematics / Algebraic topology; Topology; Topologie algébrique; Topologie|1472-2739|Irregular| |GEOMETRY & TOPOLOGY PUBLICATIONS +671|Algebras and Representation Theory|Mathematics / Rings (Algebra); Representations of algebras; Representations of rings (Algebra); Algebra; Representatie (wiskunde) / Rings (Algebra); Representations of algebras; Representations of rings (Algebra); Algebra; Representatie (wiskunde)|1386-923X|Bimonthly| |SPRINGER +672|Algological Studies| |1864-1318|Quarterly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +673|Algorithmica|Engineering / Electronic data processing; Computer algorithms|0178-4617|Monthly| |SPRINGER +674|Algorithms for Molecular Biology|Molecular Biology & Genetics / Molecular Biology; Algorithms|1748-7188|Irregular| |BIOMED CENTRAL LTD +675|Aliens-Auckland| |1173-5988|Semiannual| |INVASIVE SPECIES SPECIALIST GROUP +676|Alimentaria| |0300-5755|Monthly| |EDICIONES PUBLICACIONES ALIMENTARIAS S A +677|Alimentary Pharmacology & Therapeutics|Clinical Medicine / Digestive organs; Gastrointestinal system; Alimentary canal; Pharmacology; Digestive System Diseases; Therapeutics; Appareil digestif; Appareil digestif, Effets des médicaments sur l'; Tractus gastro-intestinal; Tractus gastro-intesti|0269-2813|Semimonthly| |WILEY-BLACKWELL PUBLISHING +678|Alimentary Pharmacology & Therapeutics Symposium Series|Pharmacology & Toxicology / Digestive organs; Gastrointestinal system; Alimentary canal; Pharmacology; Digestive System; Digestive System Diseases; Appareil digestif; Appareil digestif, Effets des médicaments sur l'; Tractus gastro-intestinal; Tractus ga|1746-6334|Irregular| |WILEY-BLACKWELL PUBLISHING +679|Aliso| |0065-6275|Quarterly| |RANCHO SANTA ANA BOTANIC GARDEN +680|Allattani Kozlemenyek| |0002-5658|Annual| |MAGYAR BIOLOGIAI TARSASAG +681|Allelopathy Journal|Plant & Animal Science|0971-4693|Quarterly| |ALLELOPATHY JOURNAL +682|Allergologia et Immunopathologia|Clinical Medicine / Allergy and Immunology; Hypersensitivity|0301-0546|Bimonthly| |ELSEVIER DOYMA SL +683|Allergologie|Clinical Medicine|0344-5062|Monthly| |DUSTRI-VERLAG DR KARL FEISTLE +684|Allergology International|Allergy; Allergy and Immunology; Hypersensitivity|1323-8930|Quarterly| |WILEY-BLACKWELL PUBLISHING +685|Allergy|Immunology / Allergy; Hypersensitivity; Allergie; Hypersensibilité (Immunologie); Hypersensibilité immédiate; Immunologie / Allergy; Hypersensitivity; Allergie; Hypersensibilité (Immunologie); Hypersensibilité immédiate; Immunologie|0105-4538|Monthly| |WILEY-BLACKWELL PUBLISHING +686|Allergy & Clinical Immunology International-Journal of the World Allergy Organization|Clinical Medicine / Allergy; Immunology; Allergie; Immunologie; Hypersensitivity; Immunity|0838-1925|Bimonthly| |HOGREFE & HUBER PUBLISHERS +687|Allergy and Asthma Proceedings|Clinical Medicine / Allergy; Immunology; Respiratory allergy; Asthma; Allergy and Immunology; Hypersensitivity|1088-5412|Bimonthly| |OCEAN SIDE PUBLICATIONS INC +688|Allertonia| |0735-8032|Irregular| |NATL TROPICAL BOTANICAL GARDEN +689|Allgemeine Forst und Jagdzeitung|Plant & Animal Science|0002-5852|Monthly| |J D SAUERLANDERS VERLAG +690|Allgemeine Zeitschrift fur Philosophie| |0340-7969|Tri-annual| |FROMMANN-HOLZBOOG +691|Allgemeine Zeitschrift fur Psychiatrie und Ihre Grenzgebiete| |0365-8570| | |WALTER DE GRUYTER & CO +692|Allgemeine Zeitschrift fur Psychiatrie und Psychisch-Gerichtliche Medizin| |0933-6451| | |WALTER DE GRUYTER & CO +693|Allionia-Turin| |0065-6429|Annual| |UNIV TORINO +694|Almoraima| |1133-5319|Irregular| |INST ESTUDIOS CAMPOGIBRALTARENOS +695|Alpha-Revista de Artes Letras Y Filosofia| |0716-4254|Semiannual| |UNIV LOS LAGOS +696|Altaiskii Zoologicheskii Zhurnal| | |Irregular| |ALTAISKII ZOOLOGICHESKII TSENTR +697|Altenburger Naturwissenschaftliche Forschungen| |0232-5381|Irregular| |MAURITIANUM +698|Alternative & Complementary Therapies|Alternative medicine; Complementary Therapies|1076-2809|Bimonthly| |MARY ANN LIEBERT INC +699|Alternative Medicine Review|Clinical Medicine|1089-5159|Quarterly| |THORNE RESEARCH +700|Alternative Therapies in Health and Medicine|Clinical Medicine|1078-6791|Bimonthly| |INNOVISION COMMUNICATIONS +701|Alternatives|Social Sciences, general|0304-3754|Quarterly| |LYNNE RIENNER PUBL INC +702|Alterra Scientific Contributions| | |Irregular| |ALTERRA +703|Alterra-Rapport| |1566-7197|Irregular| |ALTERRA +704|Altex-Alternativen zu Tierexperimenten|Clinical Medicine|0946-7785|Quarterly| |SPEKTRUM AKAD VERLAG +705|Alula-Roma| |1126-8468|Irregular| |S R O P U +706|Alytes| |0753-4973|Quarterly| |INT SOC STUDY & CONSERVATION AMPHIBIANS-ISSCA +707|Alzheimer Disease & Associated Disorders|Neuroscience & Behavior / Alzheimer's disease; Presenile dementia; Alzheimer Disease / Alzheimer's disease; Presenile dementia; Alzheimer Disease|0893-0341|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +708|Alzheimers & Dementia|Clinical Medicine / Alzheimer's disease; Dementia / Alzheimer's disease; Dementia|1552-5260|Quarterly| |ELSEVIER SCIENCE INC +709|Ama-Agricultural Mechanization in Asia Africa and Latin America|Agricultural Sciences|0084-5841|Quarterly| |FARM MACHINERY INDUSTRIAL RESEARCH CORP +710|Amazonas| |1861-2202|Bimonthly| |NATUR TIER - VERLAG +711|Amba Projekty| | |Irregular| |AMBA PROJEKTY +712|AMBIO|Environment/Ecology / Pollution; Air Pollution; Environment; Environmental Health; Water Pollution|0044-7447|Bimonthly| |SPRINGER +713|Ambio Special Report| |0301-0325|Irregular| |ROYAL SWEDISH ACAD SCIENCES +714|Ambix|Chemistry; Alchemy; Alchemie; Chemie|0002-6980|Tri-annual| |MANEY PUBLISHING +715|Ameghiniana|Geosciences|0002-7014|Quarterly| |ASOCIACION PALEONTOLOGICA ARGENTINA +716|Amemboa| |1028-2831|Irregular| |NATURHISTORISCHES MUSEUM WIEN +717|Amerasia Journal| |0044-7471|Tri-annual| |ASIAN AMER STUDIES CNTR +718|American Annals of the Deaf|Social Sciences, general /|0002-726X|Bimonthly| |GALLAUDET UNIV PRESS +719|American Anthropologist|Social Sciences, general / Anthropology; Anthropologie; Culturele antropologie; Antropologen|0002-7294|Quarterly| |WILEY-BLACKWELL PUBLISHING +720|American Antiquity|Archaeology; Archéologie; Archeologie|0002-7316|Quarterly| |SOC AMER ARCHAEOLOGY +721|American Archivist| |0360-9081|Quarterly| |SOC AMER ARCHIVISTS +722|American Art|Art, American|1073-9300|Quarterly| |UNIV CHICAGO PRESS +723|American Bankruptcy Law Journal|Social Sciences, general|0027-9048|Quarterly| |NATL CONF BANKRUPT J +724|American Bee Journal|Plant & Animal Science|0002-7626|Monthly| |DADANT & SONS INC +725|American Behavioral Scientist|Psychiatry/Psychology / Political science; Social sciences; Science politique; Sciences sociales; Gedragswetenschappen|0002-7642|Monthly| |SAGE PUBLICATIONS INC +726|American Biology Teacher|Biology & Biochemistry / Biology; Biologie|0002-7685|Monthly| |NATL ASSOC BIOLOGY TEACHERS INC +727|American Biotechnology Laboratory| |1028-2831|Monthly| |INT SCIENTIFIC COMMUN INC +728|American Birds-Christmas Bird Count| |0004-7686|Annual| |NATL AUDUBON SOC +729|American Book Publishing Record| |0002-7707|Monthly| |R R BOWKER +730|American Book Review| |0149-9408|Bimonthly| |UNIV HOUSTON +731|American Business Law Journal|Social Sciences, general / Commercial law|0002-7766|Quarterly| |WILEY-BLACKWELL PUBLISHING +732|American Butterflies| |1087-450X|Quarterly| |NORTH AMER BUTTERFLY ASSOC +733|American Catholic Philosophical Quarterly| |1051-3558|Quarterly| |AMER CATHOLIC PHILOSOPHICAL ASSOC +734|American Ceramic Society Bulletin|Materials Science|0002-7812|Monthly| |AMER CERAMIC SOC +735|American Conchologist| |1072-2440|Quarterly| |CONCHOLOGISTS AMER +736|American Criminal Law Review|Social Sciences, general|0164-0364|Quarterly| |AMER CRIMINAL LAW REVIEW +737|American Economic Review|Economics & Business / Economics; Economie; Économie politique; ECONOMICS / Economics; Economie; Économie politique; ECONOMICS|0002-8282|Bimonthly| |AMER ECONOMIC ASSOC +738|American Educational Research Journal|Social Sciences, general / Education; Onderwijs; Éducation|0002-8312|Quarterly| |SAGE PUBLICATIONS INC +739|American Entomologist| |1046-2821|Quarterly| |ENTOMOLOGICAL SOC AMER +740|American Ethnologist|Social Sciences, general / Ethnology|0094-0496|Quarterly| |WILEY-BLACKWELL PUBLISHING +741|American Family Physician|Clinical Medicine|0002-838X|Monthly| |AMER ACAD FAMILY PHYSICIANS +742|American Fern Journal|Plant & Animal Science / Ferns; Fougères|0002-8444|Quarterly| |AMER FERN SOC INC +743|American Fisheries Society Annual Meeting| | |Annual| |AMER FISHERIES SOC +744|American Heart Journal|Clinical Medicine / Heart; Blood Circulation; Cardiology; Sang; Cardiologie; Coeur|0002-8703|Monthly| |MOSBY-ELSEVIER +745|American Heritage| |0002-8738|Bimonthly| |AMER HERITAGE SUBSCRIPTION DEPT +746|American Historical Review|History; HISTORIA|0002-8762|Bimonthly| |UNIV CHICAGO PRESS +747|American History| |1076-8866|Bimonthly| |WEIDER HIST GRP INC +748|American Imago| |0065-860X|Quarterly| |JOHNS HOPKINS UNIV PRESS +749|American Indian and Alaska Native Mental Health Research|Psychiatry/Psychology|0893-5394|Tri-annual| |UNIVERSITY PRESS COLORADO +750|American Indian Culture and Research Journal| |0161-6463|Quarterly| |U C L A +751|American Jewish History| |0164-0178|Quarterly| |JOHNS HOPKINS UNIV PRESS +752|American Journal of Agricultural and Biological Sciences| |1557-4989| | |SCIENCE PUBLICATIONS +753|American Journal of Agricultural Economics|Economics & Business /|0002-9092|Bimonthly| |OXFORD UNIV PRESS INC +754|American Journal of Alzheimers Disease and Other Dementias|Clinical Medicine / Alzheimer's disease; Dementia; Alzheimer, Maladie d'; Démence; Alzheimer Disease|1533-3175|Bimonthly| |SAGE PUBLICATIONS INC +755|American Journal of Anatomy|Anatomy; Anatomie; Proefdieren|0002-9106|Monthly| |WILEY-LISS +756|American Journal of Animal and Veterinary Sciences| |1557-4555| | |SCIENCE PUBLICATIONS +757|American Journal of Archaeology|Archaeology; Art; Archéologie|0002-9114|Quarterly| |ARCHAEOLOGICAL INST AMERICA +758|American Journal of Bioethics|Social Sciences, general / Medical ethics; Bioethics; Neurosciences|1526-5161|Monthly| |ROUTLEDGE JOURNALS +759|American Journal of Botany|Plant & Animal Science / Botany; Plantkunde; Botanique|0002-9122|Monthly| |BOTANICAL SOC AMER INC +760|American Journal of Cardiac Imaging| |0887-7971|Quarterly| |GRUNE & STRATTON LTD +761|American Journal of Cardiology|Clinical Medicine / Cardiovascular system; Cardiology; Cardiologie|0002-9149|Semimonthly| |EXCERPTA MEDICA INC-ELSEVIER SCIENCE INC +762|American Journal of Cardiovascular Drugs|Pharmacology & Toxicology / Cardiovascular agents; Cardiovascular Agents; Cardiology; Cardiovascular Diseases; Heart Diseases|1175-3277|Bimonthly| |ADIS INT LTD +763|American Journal of Chinese Medicine|Clinical Medicine / Medicine, Chinese; Medicine; Acupuncture Therapy; Medicine, Herbal; Medicine, Oriental Traditional|0192-415X|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +764|American Journal of Clinical Dermatology|Clinical Medicine / Skin; Skin Diseases; Cosmetic Techniques; Dermatologic Agents|1175-0561|Bimonthly| |ADIS INT LTD +765|American Journal of Clinical Hypnosis|Psychiatry/Psychology|0002-9157|Tri-annual| |AMER SOC CLINICAL HYPNOSIS +766|American Journal of Clinical Nutrition|Clinical Medicine / Nutrition; Diet in disease; Diet; Voeding|0002-9165|Monthly| |AMER SOC CLINICAL NUTRITION +767|American Journal of Clinical Oncology-Cancer Clinical Trials|Clinical Medicine / Cancer; Oncology; Neoplasms / Cancer; Oncology; Neoplasms / Cancer; Oncology; Neoplasms|0277-3732|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +768|American Journal of Clinical Pathology|Clinical Medicine / Diagnosis, Laboratory; Pathology; Klinische pathologie; Klinische geneeskunde; Pathologie; Diagnostics biologiques|0002-9173|Monthly| |AMER SOC CLINICAL PATHOLOGY +769|American Journal of Community Psychology|Psychiatry/Psychology / Community psychology; Community Mental Health Services; Community Psychiatry|0091-0562|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +770|American Journal of Comparative Law|Social Sciences, general / Comparative law; Droit comparé|0002-919X|Quarterly| |AMER SOC COMPARATIVE LAW INC +771|American Journal of Critical Care|Clinical Medicine /|1062-3264|Bimonthly| |AMER ASSOC CRITICAL CARE NURSES +772|American Journal of Dentistry|Clinical Medicine|0894-8275|Bimonthly| |MOSHER & LINDER +773|American Journal of Dermatopathology|Clinical Medicine / Skin; Histology, Pathological; Skin Diseases / Skin; Histology, Pathological; Skin Diseases|0193-1091|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +774|American Journal of Diseases of Children| |0096-8994|Monthly| |AMER MEDICAL ASSOC +775|American Journal of Drug and Alcohol Abuse|Social Sciences, general / Drug abuse; Alcoholism; Substance-Related Disorders; Alcoholisme; Drugsverslaving|0095-2990|Quarterly| |TAYLOR & FRANCIS INC +776|American Journal of Economics and Sociology|Social Sciences, general / Social sciences; Sciences sociales|0002-9246|Quarterly| |WILEY-BLACKWELL PUBLISHING +777|American Journal of Education|Social Sciences, general / Education; Onderwijs|0195-6744|Quarterly| |UNIV CHICAGO PRESS +778|American Journal of Emergency Medicine|Clinical Medicine / Emergency medicine; Emergency Medicine / Emergency medicine; Emergency Medicine|0735-6757|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +779|American Journal of Enology and Viticulture|Agricultural Sciences|0002-9254|Quarterly| |AMER SOC ENOLOGY VITICULTURE +780|American Journal of Environmental Sciences| |1553-345X|Quarterly| |SCIENCE PUBLICATIONS +781|American Journal of Epidemiology|Clinical Medicine / Epidemiology; Public health; Public Health; Preventieve geneeskunde; Épidémiologie; Santé publique; Méthodologie de recherche|0002-9262|Semimonthly| |OXFORD UNIV PRESS INC +782|American Journal of Evaluation|Social Sciences, general / Social sciences; Evaluation research (Social action programs); Educational accountability / Social sciences; Evaluation research (Social action programs); Educational accountability|1098-2140|Quarterly| |SAGE PUBLICATIONS INC +783|American Journal of Family Therapy|Psychiatry/Psychology / Family psychotherapy; Family; Family Therapy; Marital Therapy; Gezinstherapie; Thérapie familiale; Thérapie conjugale; Famille / Family psychotherapy; Family; Family Therapy; Marital Therapy; Gezinstherapie; Thérapie familiale; Th|0192-6187|Quarterly| |ROUTLEDGE JOURNALS +784|American Journal of Forensic Medicine and Pathology|Clinical Medicine / Medical jurisprudence; Forensic pathology; Forensic Medicine; Pathology / Medical jurisprudence; Forensic pathology; Forensic Medicine; Pathology|0195-7910|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +785|American Journal of Gastroenterology|Clinical Medicine / Stomach; Intestines; Gastroenterology; Intestins; Appareil digestif; Gastro-enterologie|0002-9270|Monthly| |NATURE PUBLISHING GROUP +786|American Journal of Geriatric Cardiology|Clinical Medicine / Cardiovascular Diseases; Aged|1076-7460|Bimonthly| |LE JACQ LTD +787|American Journal of Geriatric Pharmacotherapy|Pharmacology & Toxicology / Geriatric pharmacology; Drug Therapy; Geriatrics; Aged|1543-5946|Bimonthly| |EXCERPTA MEDICA INC-ELSEVIER SCIENCE INC +788|American Journal of Geriatric Psychiatry|Psychiatry/Psychology / Geriatric psychiatry; Mental Disorders; Aged; Psychogeriatrie|1064-7481|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +789|American Journal of Health Behavior|Social Sciences, general|1087-3244|Bimonthly| |PNG PUBLICATIONS +790|American Journal of Health Promotion|Social Sciences, general /|0890-1171|Bimonthly| |AMER JOURNAL HEALTH PROMOTION INC +791|American Journal of Health-System Pharmacy|Clinical Medicine / Hospital pharmacies; Drug Therapy; Pharmaceutical Preparations; Pharmacy Service, Hospital; Pharmacies d'hôpital; Farmacie|1079-2082|Semimonthly| |AMER SOC HEALTH-SYSTEM PHARMACISTS +792|American Journal of Hematology|Clinical Medicine / Hematology; Hematologie|0361-8609|Monthly| |WILEY-LISS +793|American Journal of Hospice & Palliative Medicine|Clinical Medicine / Hospice care; Terminal care; Hospices; Palliative Care; Terminal Care; Soins en phase terminale; Soins palliatifs|1049-9091|Bimonthly| |SAGE PUBLICATIONS INC +794|American Journal of Human Biology|Clinical Medicine / Human biology; Physical anthropology; Biology|1042-0533|Bimonthly| |WILEY-LISS +795|American Journal of Human Genetics|Molecular Biology & Genetics / Human genetics; Medical genetics; Genetics; Genetica; Génétique humaine; Génétique médicale|0002-9297|Monthly| |CELL PRESS +796|American Journal of Hygiene| |0096-5294|Bimonthly| |AMER J EPIDEMIOLOGY +797|American Journal of Hygiene-Monographic Series| | | | |AMER J EPIDEMIOLOGY +798|American Journal of Hypertension|Clinical Medicine / Hypertension; Hypertension artérielle|0895-7061|Monthly| |NATURE PUBLISHING GROUP +799|American Journal of Industrial Medicine|Clinical Medicine / Medicine, Industrial; Occupational Medicine; Médecine du travail|0271-3586|Monthly| |WILEY-LISS +800|American Journal of Infection Control|Clinical Medicine / Health facilities; Nosocomial infections; Asepsis and antisepsis; Cross Infection; Ziekenhuisinfecties; Preventie|0196-6553|Monthly| |MOSBY-ELSEVIER +801|American Journal of Insanity| |1044-4815| | |AMER PSYCHIATRIC PUBLISHING +802|American Journal of International Law|Social Sciences, general / International law; International relations|0002-9300|Quarterly| |AMER SOC INT LAW +803|American Journal of Kidney Diseases|Clinical Medicine / Kidneys; Kidney Diseases|0272-6386|Monthly| |W B SAUNDERS CO-ELSEVIER INC +804|American Journal of Law & Medicine|Social Sciences, general|0098-8588|Tri-annual| |AMER SOC LAW MEDICINE ETHICS +805|American Journal of Managed Care|Clinical Medicine|1088-0224|Monthly| |MANAGED CARE & HEALTHCARE COMMUNICATIONS LLC +806|American Journal of Mathematics|Mathematics / Mathematics; Wiskunde; Mathématiques|0002-9327|Bimonthly| |JOHNS HOPKINS UNIV PRESS +807|American Journal of Medical Genetics Part A|Molecular Biology & Genetics / Medical genetics; Genetics, Medical; Medische genetica|1552-4825|Semimonthly| |WILEY-LISS +808|American Journal of Medical Genetics Part B-Neuropsychiatric Genetics|Molecular Biology & Genetics / Neuropsychiatry; Medical genetics; Nervous System Diseases; Genetics, Medical|1552-4841|Bimonthly| |WILEY-LISS +809|American Journal of Medical Genetics Part C-Seminars in Medical Genetics|Molecular Biology & Genetics / Medical genetics|1552-4868|Quarterly| |WILEY-LISS +810|American Journal of Medical Quality|Clinical Medicine / Medical care; Cost Control; Quality Assurance, Health Care; Quality of Health Care; Utilization Review|1062-8606|Bimonthly| |SAGE PUBLICATIONS INC +811|American Journal of Medicine|Clinical Medicine / Medicine; Médecine; Geneeskunde|0002-9343|Monthly| |ELSEVIER SCIENCE INC +812|American Journal of Mens Health|Clinical Medicine / Men; Sex factors in disease; Health; Sex Factors|1557-9883|Quarterly| |SAGE PUBLICATIONS INC +813|American Journal of Mental Deficiency| |0002-9351|Bimonthly| |AMER ASSOC MENTAL RETARDATION +814|American Journal of Nephrology|Clinical Medicine / Nephrology; Néphrologie; Nefrologie|0250-8095|Bimonthly| |KARGER +815|American Journal of Neuroradiology|Clinical Medicine / Nervous system; Diagnosis, Radioscopic; Nervous System; Neuroradiography; Neurologie; Radiologie|0195-6108|Monthly| |AMER SOC NEURORADIOLOGY +816|American Journal of Nursing|Social Sciences, general / Nursing|0002-936X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +817|American Journal of Obstetrics and Gynecology|Clinical Medicine / Obstetrics; Gynecology; Gynécologie; Obstétrique; Verloskunde; Gynaecologie|0002-9378|Monthly| |MOSBY-ELSEVIER +818|American Journal of Occupational Therapy|Social Sciences, general /|0272-9490|Bimonthly| |AMER OCCUPATIONAL THERAPY ASSOC +819|American Journal of Ophthalmology|Clinical Medicine / Ophthalmology; Ophtalmologie; Oogheelkunde|0002-9394|Monthly| |ELSEVIER SCIENCE INC +820|American Journal of Orthodontics and Dentofacial Orthopedics|Clinical Medicine / Orthodontics; Orthodontie|0889-5406|Monthly| |MOSBY-ELSEVIER +821|American Journal of Orthopsychiatry|Psychiatry/Psychology / Orthopsychiatry; Child Psychiatry; Child Psychology; Mental Health; Psychiatrie; Orthopsychiatrie|0002-9432|Quarterly| |AMER PSYCHOLOGICAL ASSOC +822|American Journal of Otolaryngology|Clinical Medicine / Otolaryngology; Otorhinolaryngologic Diseases|0196-0709|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +823|American Journal Of Pathology|Clinical Medicine / Pathology; Pathologie; Geneeskunde|0002-9440|Monthly| |AMER SOC INVESTIGATIVE PATHOLOGY +824|American Journal of Perinatology|Clinical Medicine / Perinatology; Obstetrics; Kindergeneeskunde; Gynaecologie|0735-1631|Monthly| |THIEME MEDICAL PUBL INC +825|American Journal of Pharmaceutical Education|Pharmacology & Toxicology|0002-9459|Bimonthly| |AMER ASSOC COLL PHARMACY +826|American Journal of Philology|Philology; Classical philology; Philologie; Philologie ancienne|0002-9475|Quarterly| |JOHNS HOPKINS UNIV PRESS +827|American Journal of Physical Anthropology|Biology & Biochemistry / Physical anthropology; Anthropology; Anthropologie physique; Fysische antropologie|0002-9483|Monthly| |WILEY-LISS +828|American Journal of Physical Anthropology-New Series| | |Quarterly| |WILEY-LISS +829|American Journal of Physical Medicine & Rehabilitation|Clinical Medicine / Medicine, Physical; Rehabilitation; Physical Medicine; Fysiotherapie; Revalidatie; Réadaptation; Ergothérapie; Physiothérapie|0894-9115|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +830|American Journal of Physics|Physics / Physics; Physique; Natuurkunde|0002-9505|Monthly| |AMER ASSOC PHYSICS TEACHERS AMER INST PHYSICS +831|American Journal of Physiology| |0002-9513|Monthly| |AMER PHYSIOLOGICAL SOC +832|American Journal of Physiology-Cell Physiology|Molecular Biology & Genetics / Cell physiology; Cell Physiology|0363-6143|Monthly| |AMER PHYSIOLOGICAL SOC +833|American Journal of Physiology-Endocrinology and Metabolism|Biology & Biochemistry / Endocrinology; Metabolism; Endocrine Diseases; Metabolic Diseases|0193-1849|Monthly| |AMER PHYSIOLOGICAL SOC +834|American Journal of Physiology-Gastrointestinal and Liver Physiology|Clinical Medicine / Gastroenterology; Liver; Gastrointestinal System; Gastroentérologie; Foie|0193-1857|Monthly| |AMER PHYSIOLOGICAL SOC +835|American Journal of Physiology-Heart and Circulatory Physiology|Clinical Medicine / Cardiovascular system; Blood; Lymph; Cardiovascular Physiology|0363-6135|Monthly| |AMER PHYSIOLOGICAL SOC +836|American Journal of Physiology-Lung Cellular and Molecular Physiology|Clinical Medicine / Lungs; Lung|1040-0605|Monthly| |AMER PHYSIOLOGICAL SOC +837|American Journal of Physiology-Regulatory Integrative and Comparative Physiology|Biology & Biochemistry / Physiology, Comparative; Biological control systems; Physiological Processes; Homeostasis|0363-6119|Monthly| |AMER PHYSIOLOGICAL SOC +838|American Journal of Physiology-Renal Physiology|Clinical Medicine|1931-857X|Monthly| |AMER PHYSIOLOGICAL SOC +839|American Journal of Political Science|Social Sciences, general / Political science; Science politique|0092-5853|Quarterly| |WILEY-BLACKWELL PUBLISHING +840|American Journal of Potato Research|Agricultural Sciences /|1099-209X|Bimonthly| |SPRINGER +841|American Journal of Preventive Medicine|Clinical Medicine / Medicine, Preventive; Public health; Health promotion; Preventive Medicine; Médecine préventive; Santé publique; Promotion de la santé|0749-3797|Monthly| |ELSEVIER SCIENCE INC +842|American Journal of Primatology|Plant & Animal Science / Primates; Primaten|0275-2565|Monthly| |WILEY-LISS +843|American Journal of Psychiatry|Psychiatry/Psychology / Psychiatry|0002-953X|Monthly| |AMER PSYCHIATRIC PUBLISHING +844|American Journal of Psychology|Psychiatry/Psychology / Psychology; Psychologie|0002-9556|Quarterly| |UNIV ILLINOIS PRESS +845|American Journal of Psychotherapy|Psychiatry/Psychology|0002-9564|Quarterly| |ASSOC ADVANCEMENT PSYCHOTHERAPY +846|American Journal of Public Health|Clinical Medicine / Public health; Public Health; Gezondheidszorg|0090-0036|Monthly| |AMER PUBLIC HEALTH ASSOC INC +847|American Journal of Public Health and the Nations Health| | |Monthly| |AMER PUBLIC HEALTH ASSOC INC +848|American Journal of Public Hygiene| |0272-2313| | |AMER PUBLIC HEALTH ASSOC INC +849|American Journal of Public Hygiene and Journal of the Massachusetts Association of Boards of Health| | | | |AMER PUBLIC HEALTH ASSOC INC +850|American Journal Of Reproductive Immunology|Immunology / Human reproduction; Reproduction; Generative organs; Immunology; Microbiology; Allergy and Immunology|1046-7408|Monthly| |WILEY-BLACKWELL PUBLISHING +851|American Journal of Respiratory and Critical Care Medicine|Clinical Medicine / Respiratory organs; Critical care medicine; Respiratory intensive care; Critical Care; Respiratory Tract Diseases|1073-449X|Semimonthly| |AMER THORACIC SOC +852|American Journal of Respiratory Cell and Molecular Biology|Clinical Medicine / Lungs; Cell respiration; Molecular biology; Lung; Molecular Biology|1044-1549|Monthly| |AMER THORACIC SOC +853|American Journal of Rhinology & Allergy|Clinical Medicine /|1945-8924|Bimonthly| |OCEAN SIDE PUBLICATIONS INC +854|American Journal of Roentgenology|Clinical Medicine / Radiology, Medical; Neoplasms; Nuclear Medicine; Radiography; Radiology; Radiologie médicale|0361-803X|Monthly| |AMER ROENTGEN RAY SOC +855|American Journal of Roentgenology and Radium Therapy| |0092-5632|Monthly| |AMER ROENTGEN RAY SOC +856|American Journal of Science|Geosciences / Science; Geology; Exacte wetenschappen; Aardwetenschappen|0002-9599|Monthly| |AMER JOURNAL SCIENCE +857|American Journal of Scientific Research| | |Semiannual| |EUROJOURNALS +858|American Journal of Sociology|Social Sciences, general / Social sciences; Sociology; Sociologie; Sciences sociales; SOCIOLOGY; UNITED STATES|0002-9602|Bimonthly| |UNIV CHICAGO PRESS +859|American Journal of Speech-Language Pathology|Social Sciences, general / Language disorders; Language disorders in children; Speech disorders; Speech therapy; Language Disorders; Language Therapy; Speech Disorders; Speech Therapy; Speech-Language Pathology|1058-0360|Quarterly| |AMER SPEECH-LANGUAGE-HEARING ASSOC +860|American Journal of Sports Medicine|Clinical Medicine / Sports medicine; Sports injuries; Sports Medicine|0363-5465|Bimonthly| |SAGE PUBLICATIONS INC +861|American Journal of Surgery|Clinical Medicine / Surgery; Chirurgie|0002-9610|Monthly| |EXCERPTA MEDICA INC-ELSEVIER SCIENCE INC +862|American Journal of Surgical Pathology|Clinical Medicine / Pathology, Surgical; Pathologie chirurgicale / Pathology, Surgical; Pathologie chirurgicale|0147-5185|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +863|American Journal of the Medical Sciences|Clinical Medicine / Medicine; Geneeskunde|0002-9629|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +864|American Journal of Therapeutics|Pharmacology & Toxicology / Clinical pharmacology; Therapeutics|1075-2765|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +865|American Journal of Transplantation|Clinical Medicine / Transplantation of organs, tissues, etc; Transplantation|1600-6135|Monthly| |WILEY-BLACKWELL PUBLISHING +866|American Journal of Tropical Medicine and Hygiene|Clinical Medicine /|0002-9637|Monthly| |AMER SOC TROP MED & HYGIENE +867|American Journal of Veterinary Research|Plant & Animal Science / Veterinary medicine; Veterinary Medicine; Diergeneeskunde; Médecine vétérinaire|0002-9645|Monthly| |AMER VETERINARY MEDICAL ASSOC +868|American Journal on Addictions|Social Sciences, general / Substance abuse; Behavior, Addictive; Substance-Related Disorders|1055-0496|Quarterly| |WILEY-BLACKWELL PUBLISHING +869|American Laboratory|Engineering|0044-7749|Monthly| |INT SCIENTIFIC COMMUN INC +870|American Law and Economics Review|Economics & Business / Law and economics|1465-7252|Semiannual| |OXFORD UNIV PRESS INC +871|American Law Register|Law|1558-3562|Monthly| |UNIV PENN LAW SCH +872|American Literary History|American literature; Littérature américaine|0896-7148|Quarterly| |OXFORD UNIV PRESS INC +873|American Literary Realism| |0002-9823|Tri-annual| |UNIV ILLINOIS PRESS +874|American Literature|American literature; Books; LITERATURA ESTADOUNIDENSE; Littérature américaine; Livres; Letterkunde; Amerikaans|0002-9831|Quarterly| |DUKE UNIV PRESS +875|American Malacological Bulletin|Plant & Animal Science /|0740-2783|Semiannual| |AMER MALACOLOGICAL SOC +876|American Mathematical Monthly|Mathematics / Mathematics; Mathematicians; Wiskunde; Mathématiques|0002-9890|Monthly| |MATHEMATICAL ASSOC AMER +877|American Midland Naturalist|Environment/Ecology / Natural history; Sciences naturelles / Natural history; Sciences naturelles|0003-0031|Quarterly| |AMER MIDLAND NATURALIST +878|American Mineralogist|Geosciences / Mineralogy; Mineralogie; Minéralogie|0003-004X|Bimonthly| |MINERALOGICAL SOC AMER +879|American Museum Novitates|Social Sciences, general / Zoology; Natural history; Biology; Zoologie; Sciences naturelles; Natuurlijke historie|0003-0082|Irregular| |AMER MUSEUM NATURAL HISTORY +880|American Music|Music; Musique américaine; Histoire|0734-4392|Quarterly| |UNIV ILLINOIS PRESS +881|American Naturalist|Environment/Ecology / Natural history; Biology; Biologie; Sciences naturelles|0003-0147|Monthly| |UNIV CHICAGO PRESS +882|American Nineteenth Century History| |1466-4658|Tri-annual| |ROUTLEDGE JOURNALS +883|American Paleontologist| |1066-8772|Quarterly| |PALEONTOLOGICAL RESEARCH INST +884|American Philosophical Quarterly| |0003-0481|Quarterly| |UNIV ILLINOIS PRESS +885|American Poetry Review| |0360-3709|Bimonthly| |WORLD POETRY INC +886|American Political Science Review|Social Sciences, general / Political science; Politieke wetenschappen; POLITICAL SCIENCE; UNITED STATES / Political science; Politieke wetenschappen; POLITICAL SCIENCE; UNITED STATES / Political science; Politieke wetenschappen; POLITICAL SCIENCE; UNITED|0003-0554|Quarterly| |CAMBRIDGE UNIV PRESS +887|American Politics Research|Social Sciences, general /|1532-673X|Bimonthly| |SAGE PUBLICATIONS INC +888|American Psychologist|Psychiatry/Psychology / Psychology; Psychologie|0003-066X|Monthly| |AMER PSYCHOLOGICAL ASSOC +889|American Quarterly| |0003-0678|Quarterly| |JOHNS HOPKINS UNIV PRESS +890|American Review of Public Administration|Social Sciences, general / Public administration; Administration publique; Bestuurskunde|0275-0740|Quarterly| |SAGE PUBLICATIONS INC +891|American Scholar| |0003-0937|Quarterly| |PHI BETA KAPPA SOC +892|American Scientist|Multidisciplinary / Greek letter societies; Science; Research; Natuurwetenschappen; Sciences; Recherche; Technologie|0003-0996|Bimonthly| |SIGMA XI-SCI RES SOC +893|American Sociological Review|Social Sciences, general / Sociology; Sociologie; SOCIOLOGY|0003-1224|Bimonthly| |SAGE PUBLICATIONS INC +894|American Speech|Social Sciences, general / English language; Americanisms; Taalgebruik; Amerikaans; Anglais (Langue); Anglais américain (Langue); Expression idiomatique; Linguistique|0003-1283|Quarterly| |DUKE UNIV PRESS +895|American Statistician|Mathematics / Statistics; Statistiek|0003-1305|Quarterly| |AMER STATISTICAL ASSOC +896|American Studies in Scandinavia| |0044-8060|Semiannual| |ODENSE UNIV PRESS +897|American Surgeon|Clinical Medicine|0003-1348|Monthly| |SOUTHEASTERN SURGICAL CONGRESS +898|American Zoo and Aquarium Association Annual Conference Proceedings| | |Annual| |AMER ZOO AQUARIUM ASSOC +899|American-Eurasian Journal of Agricultural & Environmental Sciences| |1818-6769|Tri-annual| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +900|American-Eurasian Journal of Toxicological Sciences| |2079-2050|Quarterly| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +901|Americas| |0003-1615|Quarterly| |ACAD AMER FRANCISCAN HIST +902|Americas Pharmacist| |1093-5401|Monthly| |NATL COMMUNITY PHARMACISTS ASSOC +903|Amfiteatru Economic|Economics & Business|1582-9146|Semiannual| |EDITURA ASE +904|Amino Acids|Biology & Biochemistry / Amino acids; Amino Acids|0939-4451|Bimonthly| |SPRINGER +905|Amme Idaresi Dergisi|Social Sciences, general|1300-1795|Quarterly| |TURKIYE ORTA DOGU AMME IDARESI ENSTITUSU +906|Amoeba| |0926-3543|Bimonthly| |NEDERLANDSE JEUGDBOND VOOR NATUURSTUDIE +907|Amphibia-Reptilia|Plant & Animal Science / Herpetology|0173-5373|Quarterly| |BRILL ACADEMIC PUBLISHERS +908|Amyloid-Journal of Protein Folding Disorders|Clinical Medicine /|1350-6129|Quarterly| |INFORMA HEALTHCARE +909|Amyotrophic Lateral Sclerosis|Neuroscience & Behavior / Amyotrophic lateral sclerosis; Motor neurons; Neuromuscular diseases; Amyotrophic Lateral Sclerosis; Motor Neurons; Neuromuscular Diseases|1748-2968|Quarterly| |TAYLOR & FRANCIS LTD +910|An Cichlide| |1632-1308|Annual| |ASSOC FRANCE CICHLID +911|Anadolu Kardiyoloji Dergisi-The Anatolian Journal of Cardiology|Clinical Medicine /|1302-8723|Bimonthly| |AVES YAYINCILIK +912|Anadolu Psikiyatri Dergisi-Anatolian Journal of Psychiatry|Psychiatry/Psychology|1302-6631|Quarterly| |CUMHURIYET UNIV TIP FAK PSIKIYATRI ANABILIM DALI +913|Anadolu Universitesi Bilim Ve Teknoloji Dergisi| |1302-3160|Semiannual| |ANADOLU UNIV +914|Anaerobe|Microbiology / Anaerobiosis; Anaerobic bacteria; Bacterial diseases; Fungi; Protozoa; Bacteria, Anaerobic; Bacterial Infections|1075-9964|Bimonthly| |ELSEVIER SCI LTD +915|Anaesthesia|Clinical Medicine / Anesthesia; Anesthesiology|0003-2409|Monthly| |WILEY-BLACKWELL PUBLISHING +916|Anaesthesia and Intensive Care|Clinical Medicine|0310-057X|Bimonthly| |AUSTRALIAN SOC ANAESTHETISTS +917|Anaesthesist|Clinical Medicine / Anesthesiology; Anesthesia, Conduction; Anesthesie; Anesthésiologie; Anesthésie locorégionale; Réanimation|0003-2417|Monthly| |SPRINGER +918|Anais Brasileiros de Dermatologia|Clinical Medicine / Dermatology|0365-0596|Bimonthly| |SOC BRASILEIRA DERMATOLOGIA +919|Anais da Academia Brasileira de Ciências|Multidisciplinary / Science|0001-3765|Quarterly| |ACAD BRASILEIRA DE CIENCIAS +920|Analecta Veterinaria| |0365-5148|Annual| |UNIV NACIONAL PLATA +921|Analele Stiintifice Ale Universitatii Al I Cuza Din Iasi Geologie| |0365-6594|Annual| |UNIV AL I CUZA +922|Analele Stiintifice Ale Universitatii Al I Cuza Din Iasi Sectiunea Biologie Animala| |1224-581X|Annual| |UNIV AL I CUZA +923|Analele Stiintifice Ale Universitatii Al I Cuza Din Iasi-Serie Noua-Matematica|Mathematics /|1221-8421|Semiannual| |UNIV AL I CUZA +924|Analele Stiintifice Ale Universitatii Al I Cuza Din Iasi-Serie Noua-Sectiunea Ii A Genetica Si Biologie Moleculara| |1582-3571|Annual| |UNIV AL I CUZA +925|Analele Stiintifice Ale Universitatii Ovidius Constanta-Seria Matematica|Mathematics|1224-1784|Semiannual| |OVIDIUS UNIV PRESS +926|Analele Universitatii Bucuresti Biologie| |0378-8989|Annual| |EDITURA UNIVERSITATII BUCURESTI +927|Analele Universitatii Din Craiova Biologie Horticultura Tehnologia Prelucrarii Produselor Agricole Ingineria Mediului| |1453-1275|Annual| |UNIV CRAIOVA +928|Analele Universitatii Din Oradea Fascicula Biologie| |1224-5119|Annual| |UNIV ORADEA PUBL HOUSE +929|Anales Cervantinos| |0569-9878|Annual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +930|Anales de Biologia-Murcia| |0213-5450|Irregular| |UNIV MURCIA +931|Anales de la Academia Nacional de Ciencias Exactas Fisicas Y Naturales de Buenos Aires| |0365-1185|Annual| |ACAD NAC CIEN EXACTAS FISICAS NAT +932|Anales de la Escuela Nacional de Ciencias Biologicas| |0365-1932|Irregular| |ESCUELA NACIONAL CIENCIAS BIOLOGICAS +933|Anales de la Literatura Espanola Contemporanea| |0272-1635|Quarterly| |TEMPLE UNIV +934|Anales de la Real Academia Nacional de Farmacia|Pharmacology & Toxicology|1697-4271|Quarterly| |REAL ACAD NACIONAL FARMACIA +935|Anales de Literatura Chilena| |0717-6058|Semiannual| |PONTIFICIA UNIV CATOLICA CHILE +936|Anales de Medicina Interna|Clinical Medicine /|0212-7199|Monthly| |ARAN EDICIONES +937|Anales de Pediatría|Clinical Medicine / Pediatrics|1695-4033|Monthly| |EDICIONES DOYMA S A +938|Anales de Psicologia|Psychiatry/Psychology|0212-9728|Semiannual| |UNIV MURCIA +939|Anales de Veterinaria de Murcia| |0213-5434|Annual| |UNIV MURCIA +940|Anales del Instituto de la Patagonia| |0718-6932|Semiannual| |INST PATAGONIA +941|Anales Del Instituto de la Patagonia Serie Ciencias Naturales| |0716-6486|Annual| |INST PATAGONIA +942|Anales del Jardín Botánico de Madrid|Plant & Animal Science / Botany|0211-1322|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +943|Anales Del Museo de Historia Natural de Valparaiso| |0716-0178|Irregular| |MUSEO HISTORIA NATURAL VALPARAISO +944|Anales Del Museo Nacional de Historia Natural de Montevideo| |0797-8774|Irregular| |MUSEO NACIONAL HISTORIA NATURAL ANTROPOLOGIA +945|Anales Del Seminario de Historia de la Filosofia| |0211-2337|Annual| |UNIV COMPLUTENSE MADRID +946|Anales del Sistema Sanitario de Navarra|Social Sciences, general /|1137-6627|Tri-annual| |GOBIERNO DE NAVARRA +947|Anales Universitarios de Etologia| |1989-0850|Annual| |UNIV LAS PALMAS GRAN CANARIA +948|Analog Integrated Circuits and Signal Processing|Engineering / Integrated circuits; Signal processing|0925-1030|Monthly| |SPRINGER +949|Analysis|Philosophy; Philosophie; Filosofie|0003-2638|Quarterly| |OXFORD UNIV PRESS +950|Analysis and Applications|Mathematics / Mathematical analysis; Science; Engineering mathematics|0219-5305|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +951|Analysis Mathematica|Mathematics / Mathematical analysis|0133-3852|Quarterly| |AKADEMIAI KIADO RT +952|Analyst|Chemistry / Chemistry, Analytic; Chemistry, Analytical|0003-2654|Monthly| |ROYAL SOC CHEMISTRY +953|Analytica Chimica Acta|Chemistry / Chemistry, Analytic; Chemistry, Analytical|0003-2670|Weekly| |ELSEVIER SCIENCE BV +954|Analytical and Bioanalytical Chemistry|Chemistry / Chemistry, Analytic; Chimie analytique; Biochimie; Chemistry, Analytical / Chemistry, Analytic; Chimie analytique; Biochimie; Chemistry, Analytical|1618-2642|Semimonthly| |SPRINGER HEIDELBERG +955|Analytical and Quantitative Cytology and Histology|Clinical Medicine|0884-6812|Bimonthly| |SCI PRINTERS & PUBL INC +956|Analytical Biochemistry|Biology & Biochemistry / Analytical biochemistry; Biochemistry; Chemistry, Analytical|0003-2697|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +957|Analytical Chemistry|Chemistry / Chemistry, Technical; Chemistry, Analytic; Chemistry, Analytical; Analytische chemie|0003-2700|Semimonthly| |AMER CHEMICAL SOC +958|Analytical Letters|Chemistry / Chemistry, Analytic; Chemistry, Analytical; Chimie analytique|0003-2719|Semimonthly| |TAYLOR & FRANCIS INC +959|Analytical Methods|Chemistry /|1759-9660|Monthly| |ROYAL SOC CHEMISTRY +960|Analytical Sciences|Engineering / Chemistry, Analytic; Chemistry, Analytical|0910-6340|Monthly| |JAPAN SOC ANALYTICAL CHEMISTRY +961|Anare Reports| |1038-2135|Irregular| |AUSTRALIAN NATL ANTARCTIC RESEARCH EXPEDITIONS-ANARE +962|Anare Research Notes| |0729-6533|Irregular| |AUSTRALIAN NATL ANTARCTIC RESEARCH EXPEDITIONS-ANARE +963|Anartia| |1315-642X|Irregular| |UNIV ZULIA +964|Anasthesiologie & Intensivmedizin|Clinical Medicine|0170-5334|Monthly| |D I O MED VERLAGS GMBH +965|Anasthesiologie Intensivmedizin Notfallmedizin Schmerztherapie|Clinical Medicine / Anesthesiology; Critical Care; Emergency Medicine; Pain / Anesthesiology; Critical Care; Emergency Medicine; Pain / Anesthesiology; Critical Care; Emergency Medicine; Pain|0939-2661|Bimonthly| |GEORG THIEME VERLAG KG +966|Anatomia Histologia Embryologia|Plant & Animal Science / Anatomy, Comparative; Veterinary anatomy; Veterinary histology; Veterinary embryology; Anatomy, Veterinary; Embryology / Anatomy, Comparative; Veterinary anatomy; Veterinary histology; Veterinary embryology; Anatomy, Veterinary; |1439-0264|Bimonthly| |WILEY-BLACKWELL PUBLISHING +967|Anatomical Record|Anatomy; Anatomie|0003-276X|Semimonthly| |WILEY-LISS +968|Anatomical Record-Advances in Integrative Anatomy and Evolutionary Biology|Biology & Biochemistry / Anatomy; Anatomists; Evolution, Molecular; Molecular Biology|1932-8486|Monthly| |WILEY-LISS +969|Anatomical Science International|Biology & Biochemistry / Anatomy|1447-6959|Quarterly| |SPRINGER +970|Anatomical Sciences Education| |1935-9772|Bimonthly| |WILEY-LISS +971|Ancient Mesoamerica|Indians of Central America; Indians of Mexico; Archeologie; Indiens d'Amérique|0956-5361|Semiannual| |CAMBRIDGE UNIV PRESS +972|Andamios|Social Sciences, general|1870-0063|Semiannual| |UNIV AUTONOMA CIUDAD MEXICO +973|Andean geology|Geosciences /|0718-7092|Semiannual| |SERVICIO NACIONAL GEOLOGIA MINERVA +974|Andrias| |0721-6513|Irregular| |STAATLICHES MUSEUM NATURKUNDE KARLSRUHE +975|Andrologia|Clinical Medicine / Andrology; Infertility, Male; Fertility; Genital Diseases, Male; Genitalia, Male|0303-4569|Bimonthly| |WILEY-BLACKWELL PUBLISHING +976|Anesteziologiya I Reanimatologiya| |0201-7563|Bimonthly| |IZDATELSTVO MEDITSINA +977|Anesthesia and Analgesia|Clinical Medicine / Anesthesiology; Analgesia; Analgesie; Anesthesie|0003-2999|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +978|Anesthesiology|Clinical Medicine / Anesthesiology; Anesthetics; Anesthésie|0003-3022|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +979|Anesthesiology Abstracts of Scientific Papers Annual Meeting| | |Annual| |LIPPINCOTT WILLIAMS & WILKINS +980|Anesthesiology Clinics|Anesthesiology|1932-2275|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +981|Angelaki-Journal of the Theoretical Humanities|Literature; Philosophy; Political science / Literature; Philosophy; Political science|0969-725X|Tri-annual| |ROUTLEDGE JOURNALS +982|Angewandte Carabidologie| |1437-0867|Annual| |GESELLSCHAFT ANGEWANDTE CARABIDOLOGIE E V +983|Angewandte Chemie|Chemistry; Chemie /|0570-0833|Monthly| |VCH PUBLISHERS INC +984|Angewandte Chemie-International Edition|Chemistry / Chemistry|1433-7851|Weekly| |WILEY-V C H VERLAG GMBH +985|Angiogenesis|Clinical Medicine / Neovascularization, Pathologic; Neovascularization, Physiologic / Neovascularization, Pathologic; Neovascularization, Physiologic|0969-6970|Quarterly| |SPRINGER +986|Angiology|Clinical Medicine / Blood-vessels; Angiography; Vaisseaux sanguins; Système lymphatique; Hart- en vaatziekten|0003-3197|Bimonthly| |SAGE PUBLICATIONS INC +987|Angle Orthodontist|Clinical Medicine / Orthodontics; Orthodontie|0003-3219|Bimonthly| |E H ANGLE EDUCATION RESEARCH FOUNDATION +988|Anglia-Zeitschrift fur Englische Philologie|English philology; Comparative linguistics; English literature|0340-5222|Tri-annual| |MAX NIEMEYER VERLAG +989|Anhui Nongye Daxue Xuebao| |1672-352X|Quarterly| |CHINA PUBLISHING FOREIGN TRADING CORP +990|animal|Plant & Animal Science / Animal breeding; Animal genetics; Animal nutrition; Animal physiology; Environmental sciences; Élevage; Génétique animale; Animaux; Bétail; Physiologie; Sciences de l'environnement|1751-7311|Monthly| |CAMBRIDGE UNIV PRESS +991|Animal Behaviour|Plant & Animal Science / Animal behavior; Éthologie; Diergedrag|0003-3472|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +992|Animal Biodiversity and Conservation| |1578-665X|Semiannual| |MUSEU DE CIENCIES NATURALS-ZOOLOGIA +993|Animal Biology|Plant & Animal Science / Zoology|1570-7555|Quarterly| |BRILL ACADEMIC PUBLISHERS +994|Animal Biotechnology|Plant & Animal Science / Animal biotechnology; Animal genetic engineering; Biotechnology; Animals, Domestic; Animals, Genetically Modified|1049-5398|Quarterly| |TAYLOR & FRANCIS INC +995|Animal Cells and Systems|Biology & Biochemistry /|1976-8354|Quarterly| |TAYLOR & FRANCIS LTD +996|Animal Cognition|Plant & Animal Science / Cognition in animals; Behavior, Animal; Cognition; Learning; Psychology, Comparative|1435-9448|Quarterly| |SPRINGER HEIDELBERG +997|Animal Conservation|Environment/Ecology / Conservation biology; Wildlife conservation|1367-9430|Bimonthly| |WILEY-BLACKWELL PUBLISHING +998|Animal Feed Science and Technology|Plant & Animal Science / Feeds|0377-8401|Biweekly| |ELSEVIER SCIENCE BV +999|Animal Genetics|Plant & Animal Science / Blood groups in animals; Biochemical genetics; Animal Population Groups; Genetics|0268-9146|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1000|Animal Health Research Reviews|Animal health; Veterinary medicine; Animal Diseases; Veterinary Medicine|1466-2523|Semiannual| |CAMBRIDGE UNIV PRESS +1001|Animal Keepers Forum| |0164-9531|Monthly| |AMER ASSOC ZOO KEEPERS +1002|Animal Nutrition and Feed Technology|Agricultural Sciences|0972-2963|Semiannual| |ANIMAL NUTRITION ASSOC +1003|Animal Production Science|Agricultural Sciences /|1836-5787|Monthly| |CSIRO PUBLISHING +1004|Animal Reproduction| |1806-9614|Quarterly| |BRAZILIAN COLL ANIMAL REPRODUCTION +1005|Animal Reproduction Science|Plant & Animal Science / Reproduction; Animal breeding; Animal Population Groups|0378-4320|Biweekly| |ELSEVIER SCIENCE BV +1006|Animal Research International| |1597-3115|Tri-annual| |UNIV NIGERIA +1007|Animal Science Journal|Plant & Animal Science / Animal culture; Livestock|1344-3941|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1008|Animal Science Papers and Reports| |0860-4037|Quarterly| |POLSKA AKAD NAUK +1009|Animal Welfare|Plant & Animal Science|0962-7286|Quarterly| |UNIV FEDERATION ANIMAL WELFARE +1010|Animation-An Interdisciplinary Journal|Animation (Cinematography); Computer animation|1746-8477|Tri-annual| |SAGE PUBLICATIONS INC +1011|Animma.x| |1214-0066|Semiannual| |MILAN KRAJCIK +1012|Ankara Universitesi Veteriner Fakultesi Dergisi|Plant & Animal Science|1300-0861|Quarterly| |ANKARA UNIV PRESS +1013|Annalen der Physik|Physics / Physics; Chemistry; Natuurkunde / Physics; Chemistry; Natuurkunde / Physics; Chemistry; Natuurkunde|0003-3804|Monthly| |WILEY-V C H VERLAG GMBH +1014|Annalen des Naturhistorischen Museums in Wien Serie A Mineralogie Petrologie Geologie Palaeontologie Archaeozoologie Anthropologie Praehistorie| |0255-0091|Annual| |NATURHISTORISCHES MUSEUM WIEN +1015|Annalen des Naturhistorischen Museums in Wien Serie B Botanik und Zoologie| |0255-0105|Annual| |NATURHISTORISCHES MUSEUM WIEN +1016|Annales Academiae Regiae Scientiarum Upsaliensis| |0504-0736|Annual| |SCANDINAVIAN UNIVERSITY PRESS +1017|Annales Academiae Scientiarum Fennicae Geologica-Geographica| |1239-632X|Irregular| |FINNISH ACAD SCIENCES LETTERS +1018|Annales Academiae Scientiarum Fennicae-Mathematica|Mathematics /|1239-629X|Semiannual| |SUOMALAINEN TIEDEAKATEMIA +1019|Annales Botanici Fennici|Plant & Animal Science|0003-3847|Bimonthly| |FINNISH ZOOLOGICAL BOTANICAL PUBLISHING BOARD +1020|Annales d Endocrinologie|Biology & Biochemistry / Endocrinology|0003-4266|Bimonthly| |MASSON EDITEUR +1021|Annales d Urologie|Clinical Medicine / Urology; Urologie; Appareil urinaire|0003-4401|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1022|Annales de Biochimie Clinique Du Quebec| |0709-8502|Quarterly| |SOC QUEBECOISE BIOCHIMIE CLINIQUE +1023|Annales de Biologie Clinique|Clinical Medicine|0003-3898|Bimonthly| |JOHN LIBBEY EUROTEXT LTD +1024|Annales de Bretagne et des Pays de L Ouest| |0399-0826|Quarterly| |UNIV HAUTE-BRETAGNE +1025|Annales de Cardiologie et d Angéiologie|Clinical Medicine / Cardiology; Blood-vessels; Angiography; Blood Vessels; Angiographie; Cardiologie; Angiologie|0003-3928|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1026|Annales de Chimie et de Physique| |0365-1444|Monthly| |MASSON EDITEUR +1027|Annales de Chimie France|Chemistry; Materials|0151-9107|Monthly| |MASSON EDITEUR +1028|Annales de Chimie-Science des Materiaux|Chemistry|0151-9107|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1029|Annales de Chirurgie Plastique Esthétique|Clinical Medicine / Surgery, Plastic|0294-1260|Bimonthly| |ELSEVIER +1030|Annales de Dermatologie et de Vénéréologie|Clinical Medicine / Dermatology; Sexually Transmitted Diseases|0151-9638|Monthly| |MASSON EDITEUR +1031|Annales de Géographie|Geography; Geografie; Géographie|0003-4010|Bimonthly| |LIBRAIRIE ARMAND COLIN +1032|Annales de L Institut Fourier|Mathematics|0373-0956|Bimonthly| |ANNALES INST FOURIER +1033|Annales de L Institut Henri Poincare-Analyse Non Lineaire|Mathematics / Nonlinear theories; Numerical analysis; Niet-lineaire analyse|0294-1449|Bimonthly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +1034|Annales de L Institut Henri Poincare-Probabilites et Statistiques|Mathematics / Probabilities; Mathematical statistics|0246-0203|Bimonthly| |INST MATHEMATICAL STATISTICS +1035|Annales de L Institut Oceanographique| |0078-9682|Annual| |INST OCEANOGRAPHIQUE PAUL RICARD +1036|Annales de la Societe D Histoire Naturelle Du Boulonnais| |0767-2071|Irregular| |SOC HISTOIRE NATURELLE BOULONNAIS +1037|Annales de la Societe D Horticulture et D Histoire Naturelle de L Herault| |0373-8701|Quarterly| |SOC HORTICULTURE HISTOIRE NATURELLE HERAULT +1038|Annales de la Societe des Sciences Naturelles de la Charente-Maritime| |0373-9929|Annual| |MUSEUM HISTOIRE NATURELLE ROCHELLE +1039|Annales de la Societe Entomologique de France|Plant & Animal Science|0037-9271|Quarterly| |SOC ENTOMOLOGIQUE FRANCE +1040|Annales de la Societe Geologique Du Nord| |0767-7367|Quarterly| |SOC GEOLOGIQUE NORD +1041|Annales de Limnologie-International Journal of Limnology|Plant & Animal Science /|0003-4088|Quarterly| |EDP SCIENCES S A +1042|Annales de Medecine Veterinaire|Plant & Animal Science|0003-4118|Bimonthly| |ANNALES MEDECINE VETERINAIRE +1043|Annales de Paléontologie|Geosciences /|0753-3969|Quarterly| |MASSON EDITEUR +1044|Annales de Pathologie|Clinical Medicine / Pathology; Anatomie; Pathologie|0242-6498|Bimonthly| |MASSON EDITEUR +1045|Annales de Physique|Physics / Physics|0003-4169|Bimonthly| |EDP SCIENCES S A +1046|Annales des Mines et de la Geologie Republique Tunisienne| |0365-4397|Irregular| |EDITIONS SERVICE GEOLOGIQUE TUNISIE +1047|Annales Du Museum D Histoire Naturelle de Nice| |0336-4917|Annual| |MUSEUM HISTOIRE NATURELLE NICE +1048|Annales Du Museum Du Havre| |0335-5160|Irregular| |MUSEUM HAVRE +1049|Annales Françaises d Anesthésie et de Réanimation|Clinical Medicine / Anesthesia; Anesthesiology; Critical Care; Resuscitation|0750-7658|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1050|Annales Geologiques des Pays Helleniques| |1105-0004|Irregular| |NATL UNIV ATHENS +1051|Annales Geophysicae|Geosciences / Geophysics; Solar-terrestrial physics|0992-7689|Monthly| |COPERNICUS GESELLSCHAFT MBH +1052|Annales Henri Poincare|Physics / Physics; Mathematical physics|1424-0637|Bimonthly| |BIRKHAUSER VERLAG AG +1053|Annales Historico-Naturales Musei Nationalis Hungarici| |0521-4726|Annual| |MAGYAR TERMESZETTUDOMANYI MUZEUM +1054|Annales historiques de la Révolution française| |0003-4436|Quarterly| |SOC ETUDES ROBESPIERRISTES +1055|Annales Medico-Psychologiques|Clinical Medicine / Mental illness; Psychology, Pathological; Mental Disorders; Psychology; Psychopathology; Psychiatrie; Psychologie|0003-4487|Monthly| |MASSON EDITEUR +1056|Annales Musei Goulandris| |0302-1033|Annual| |GOULANDRIS NATURAL HISTORY MUSEUM +1057|Annales Pharmaceutiques Belges| |0365-5474|Monthly| |ALGEMENE PHARMACEUTISCHE BOND +1058|Annales Pharmaceutiques Françaises|Pharmacy; Chemistry, Pharmaceutical; Pharmacology|0003-4509|Bimonthly| |MASSON EDITEUR +1059|Annales Polonici Mathematici|Mathematics / Mathematics|0066-2216|Bimonthly| |POLISH ACAD SCIENCES INST MATHEMATICS +1060|Annales Scientifiques de l École Normale Supérieure|Mathematics / Mathematics; Science / Mathematics; Science|0012-9593|Bimonthly| |SOC MATHEMATIQUE FRANCE +1061|Annales Scientifiques de la Reserve de Biosphere Transfrontaliere Vosges Du Nord-Pfaelzerwald| |1624-6934|Annual| |PARC NATUREL REGIONAL VOSGES NORD +1062|Annales Series Historia Naturalis Koper| | |Semiannual| |ZNANSTVENO RAZISKOVALNO SREDISCE REPUBLIKE SLOVENIJE +1063|Annales Societatis Geologorum Poloniae|Geosciences|0208-9068|Quarterly| |POLISH GEOLOGICAL SOC +1064|Annales Universitatis Mariae Curie-Sklodowska Sectio C Biologia| |0066-2232|Annual| |UNIWERSYTET MARII CURIE-SKLODOWSKIEJ +1065|Annales Universitatis Turkuensis Series A Ii Biologica-Geographica-Geologica| |0082-6979|Irregular| |TURUN YLIOPISTO +1066|Annales Zoologici|Plant & Animal Science / Animals|0003-4541|Quarterly| |MUSEUM & INST ZOOLOGY PAS-POLISH ACAD SCIENCES +1067|Annales Zoologici Fennici|Plant & Animal Science|0003-455X|Bimonthly| |FINNISH ZOOLOGICAL BOTANICAL PUBLISHING BOARD +1068|Annales-Anali Za Istrske in Mediteranske Studije-Series Historia et Sociologia| |1408-5348|Semiannual| |ZNANSTVENO RAZISKOVALNO SREDISCE REPUBLIKE SLOVENIJE +1069|Annales-Anali Za Istrske in Mediteranske Studije-Series Historia Naturalis| |1408-533X|Semiannual| |ZNANSTVENO RAZISKOVALNO SREDISCE REPUBLIKE SLOVENIJE +1070|Annali Dei Musei Civici Rovereto| |1720-9161|Annual| |MUSEO CIVICO ROVERETO +1071|Annali Del Museo Civico Di Storia Naturale Di Ferrara| |1127-4476|Irregular| |MUSEO CIVICO STORIA NATURALE FERRARA +1072|Annali Del Museo Civico Di Storia Naturale Giacomo Doria| |0365-4389|Annual| |MUSEO CIVICO STORIA NATURALE GIACOMO DORIA +1073|Annali Dell Istituto Sperimentale per la Selvicoltura| |0390-0010|Annual| |IST SPERIMENTALE PER SELVICOLTURA +1074|Annali Dell Istituto Superiore Di Sanita| |0021-2571|Quarterly| |IST POLIGRAFICO ZECCA STATO +1075|Annali Dell Universita Di Ferrara Sezione Museiolgia Scientifica E Naturalistica| |1824-2707|Annual| |UNIV FERRARA +1076|Annali Della Facolta Di Agraria Universita Degli Studi Di Perugia| |0374-4981|Annual| |UNIV DEGLI STUDI PERUGIA +1077|Annali Della Facolta Di Medicina Veterinaria Di Pisa| |0365-4729|Irregular| |UNIV PISA +1078|Annali Della Scuola Normale Superiore Di Pisa-Classe Di Scienze|Mathematics|0391-173X|Quarterly| |SCUOLA NORMALE SUPERIORE +1079|Annali di Matematica Pura ed Applicata|Mathematics / Mathematics / Mathematics / Mathematics / Mathematics|0373-3114|Quarterly| |SPRINGER HEIDELBERG +1080|Annali Italiani Di Chirurgia|Clinical Medicine|0003-469X|Bimonthly| |EDIZIONI LUIGI POZZI +1081|Annals Academy of Medicine Singapore|Clinical Medicine|0304-4602|Bimonthly| |ACAD MEDICINE SINGAPORE +1082|Annals of Agricultural and Environmental Medicine|Environment/Ecology|1232-1966|Semiannual| |INST AGRICULTURAL MEDICINE +1083|Annals of Agricultural Science| |0570-1783|Semiannual| |AIN SHAMS UNIV +1084|Annals of Allergy Asthma & Immunology|Clinical Medicine /|1081-1206|Monthly| |AMER COLL ALLERGY ASTHMA IMMUNOLOGY +1085|Annals of Anatomy-Anatomischer Anzeiger|Biology & Biochemistry / Anatomy, Comparative; Anatomy|0940-9602|Bimonthly| |ELSEVIER GMBH +1086|Annals of Animal Science|Plant & Animal Science|1642-3402|Semiannual| |INST ZOOTECHNIKI +1087|Annals of Applied Biology|Biology & Biochemistry / Biology, Economic; Biochemistry; Biology; Biologie; Biologie économique|0003-4746|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1088|Annals of Applied Probability|Mathematics / Probabilities; Waarschijnlijkheidstheorie; Toepassingen; Probabilités|1050-5164|Quarterly| |INST MATHEMATICAL STATISTICS +1089|Annals of Applied Statistics|Mathematics / Mathematical statistics; Statistics|1932-6157|Quarterly| |INST MATHEMATICAL STATISTICS +1090|Annals of Behavioral Medicine|Psychiatry/Psychology / Medicine and psychology; Sick; Behavioral Medicine; Medische psychologie|0883-6612|Bimonthly| |SPRINGER +1091|Annals of Biology| |0970-0153|Semiannual| |AGRI-BIO-PUBL +1092|Annals of Biomedical Engineering|Engineering / Biomedical engineering; Biomedical Engineering; Medicine; Biomedische techniek|0090-6964|Monthly| |SPRINGER +1093|Annals of Botany|Plant & Animal Science / Botany; Plantkunde; Botanique|0305-7364|Monthly| |OXFORD UNIV PRESS +1094|Annals of Carnegie Museum|Plant & Animal Science / Natural history; Carnegie Museum of Natural History|0097-4463|Quarterly| |CARNEGIE MUSEUM NATURAL HISTORY +1095|Annals of Clinical and Laboratory Science|Clinical Medicine|0091-7370|Bimonthly| |ASSOC CLINICAL SCIENTISTS +1096|Annals of Clinical Biochemistry|Clinical Medicine / Biochemistry; Clinical chemistry; Chemistry, Clinical|0004-5632|Bimonthly| |ROYAL SOC MEDICINE PRESS LTD +1097|Annals of Clinical Psychiatry|Psychiatry/Psychology / Psychiatry / Psychiatry|1040-1237|Quarterly| |DOWDEN HEALTH MEDIA +1098|Annals of Combinatorics|Mathematics / Combinatorial analysis|0218-0006|Quarterly| |BIRKHAUSER VERLAG AG +1099|Annals of Dermatology|Clinical Medicine /|1013-9087|Quarterly| |KOREAN DERMATOLOGICAL ASSOC +1100|Annals of Diagnostic Pathology|Clinical Medicine / Diagnostic Techniques and Procedures; Pathology|1092-9134|Bimonthly| |ELSEVIER SCIENCE INC +1101|Annals of Dyslexia|Social Sciences, general / Dyslexia; Dyslexic children|0736-9387|Semiannual| |SPRINGER +1102|Annals of Economics and Finance|Economics & Business|1529-7373|Semiannual| |WUHAN UNIV JOURNALS PRESS +1103|Annals of Emergency Medicine|Clinical Medicine / Emergency medicine; Emergency Medicine; Geneeskunde; Spoedgevallen|0196-0644|Monthly| |MOSBY-ELSEVIER +1104|Annals of Epidemiology|Clinical Medicine / Epidemiology; Acute Disease; Chronic Disease; Maladies chroniques; Épidémiologie; Epidemiologie|1047-2797|Monthly| |ELSEVIER SCIENCE INC +1105|Annals of Eugenics| | |Annual| |CAMBRIDGE UNIV PRESS +1106|Annals of Family Medicine|Clinical Medicine / Family medicine; Family Practice; Primary Health Care|1544-1709|Bimonthly| |ANNALS FAMILY MEDICINE +1107|Annals of Forest Research| |1844-8135|Annual| |EDITURA SILVICA +1108|Annals of Forest Science|Plant & Animal Science / Forests and forestry; Forêts|1286-4560|Bimonthly| |EDP SCIENCES S A +1109|Annals of Forestry| |0971-4022|Semiannual| |JYOTI PUBLISHERS DISTRIBUTORS +1110|Annals of Geophysics|Geosciences|1593-5213|Bimonthly| |ISTITUTO NAZIONALE DI GEOFISICA E VULCANOLOGIA +1111|Annals of Glaciology|Geosciences / Glaciology; Glaciers|0260-3055|Quarterly| |INT GLACIOL SOC +1112|Annals of Global Analysis and Geometry|Mathematics / Global analysis (Mathematics); Geometry|0232-704X|Bimonthly| |SPRINGER +1113|Annals of Hematology|Clinical Medicine / Blood; Hematology; Hematologic Diseases; Sang; Hématologie|0939-5555|Monthly| |SPRINGER +1114|Annals of Hepatology|Clinical Medicine|1665-2681|Quarterly| |MEXICAN ASSOC HEPATOLOGY +1115|Annals of Human Biology|Clinical Medicine / Human biology; Biology|0301-4460|Bimonthly| |TAYLOR & FRANCIS LTD +1116|Annals of Human Genetics|Molecular Biology & Genetics / Eugenics; Genetics, Medical; Génétique humaines; Eugénisme; Antropogenetica|0003-4800|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1117|Annals of Indian Academy of Neurology|Neuroscience & Behavior /|0972-2327|Quarterly| |MEDKNOW PUBLICATIONS +1118|Annals of Internal Medicine|Clinical Medicine|0003-4819|Semimonthly| |AMER COLL PHYSICIANS +1119|Annals of Mathematical Statistics|Mathematical statistics; Mathematics; Statistics|0003-4851|Bimonthly| |INST MATHEMATICAL STATISTICS +1120|Annals of Mathematics|Mathematics / Mathematics; Mathématiques; Wiskunde|0003-486X|Bimonthly| |ANNAL MATHEMATICS +1121|Annals of Mathematics and Artificial Intelligence|Engineering / Artificial intelligence|1012-2443|Quarterly| |SPRINGER +1122|Annals of Medical Entomology| |0971-135X|Semiannual| |ANNALS MED ENTOMOL +1123|Annals of Medicine|Clinical Medicine / Medicine; Médecine|0785-3890|Bimonthly| |INFORMA HEALTHCARE +1124|Annals of Microbiology|Microbiology /|1590-4261|Quarterly| |SPRINGER +1125|Annals of Neurology|Neuroscience & Behavior / Neurology; Pediatric neurology; Nervous system; Neurologie; Neurologie pédiatrique; Système nerveux|0364-5134|Monthly| |WILEY-LISS +1126|Annals of Noninvasive Electrocardiology|Clinical Medicine / Electrocardiography; Electrocardiography, Ambulatory|1082-720X|Quarterly| |WILEY-BLACKWELL PUBLISHING +1127|Annals of Nuclear Energy|Engineering / Nuclear energy; Nuclear engineering; Nuclear Energy; Nuclear Physics; Génie nucléaire; Énergie nucléaire; Physique nucléaire|0306-4549|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +1128|Annals of Nuclear Medicine|Clinical Medicine / Nuclear medicine; Radioisotopes in medical diagnosis; Radiotherapy; Diagnostic Techniques, Radioisotope; Radioisotopes; Nucleaire geneeskunde|0914-7187|Bimonthly| |SPRINGER +1129|Annals of Nutrition and Metabolism|Biology & Biochemistry / Diet in disease; Nutrition; Dietetics; Metabolic Diseases; Métabolisme, Troubles du; Alimentation; Diététique / Diet in disease; Nutrition; Dietetics; Metabolic Diseases; Métabolisme, Troubles du; Alimentation; Diététique|0250-6807|Bimonthly| |KARGER +1130|Annals of Occupational Hygiene|Pharmacology & Toxicology / Medicine, Industrial; Industrial hygiene; Occupational Medicine; Arbeidshygiëne; Hygiène industrielle / Medicine, Industrial; Industrial hygiene; Occupational Medicine; Arbeidshygiëne; Hygiène industrielle|0003-4878|Bimonthly| |OXFORD UNIV PRESS +1131|Annals of Oncology|Clinical Medicine / Oncology; Tumors; Neoplasms; Cancérologie; Cancer; Oncologie|0923-7534|Monthly| |OXFORD UNIV PRESS +1132|Annals of Operations Research|Engineering / Operations research|0254-5330|Bimonthly| |SPRINGER +1133|Annals of Ophthalmology|Clinical Medicine / Ophthalmology; Glaucoma; Eye; Eye Diseases|1530-4086|Quarterly| |AMER SOC CONTEMPORARY MEDICINE SURGERY & OPHTHALMOLOGY +1134|Annals of Otology Rhinology and Laryngology|Clinical Medicine|0003-4894|Monthly| |ANNALS PUBL CO +1135|Annals of Pharmacotherapy|Clinical Medicine / Chemotherapy; Chimiothérapie; Pharmacologie; Drug Therapy / Chemotherapy; Chimiothérapie; Pharmacologie; Drug Therapy|1060-0280|Monthly| |HARVEY WHITNEY BOOKS CO +1136|Annals of Physical and Rehabilitation Medicine| |1877-0657|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1137|Annals of Physics|Physics / Physics; Physique; Natuurkunde|0003-4916|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +1138|Annals of Plastic Surgery|Clinical Medicine / Surgery, Plastic; Plastische chirurgie|0148-7043|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +1139|Annals of Probability|Mathematics / Probabilities; Probability; Statistiek|0091-1798|Bimonthly| |INST MATHEMATICAL STATISTICS +1140|Annals of Pure and Applied Logic|Mathematics / Logic, Symbolic and mathematical; Logique symbolique et mathématique|0168-0072|Semimonthly| |ELSEVIER SCIENCE BV +1141|Annals of Regional Science|Social Sciences, general / Regional planning; City planning|0570-1864|Quarterly| |SPRINGER +1142|Annals of Saudi Medicine|Clinical Medicine /|0256-4947|Bimonthly| |K FAISAL SPEC HOSP RES CENTRE +1143|Annals of Science|Multidisciplinary / Science; Technology; Technologie; Sciences; Exacte wetenschappen|0003-3790|Quarterly| |TAYLOR & FRANCIS LTD +1144|Annals of Statistics|Mathematics / Statistics; Mathematical statistics; Statistiek; Statistique; Statistique mathématique|0090-5364|Bimonthly| |INST MATHEMATICAL STATISTICS +1145|Annals of Surgery|Clinical Medicine / Surgery; Chirurgie|0003-4932|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +1146|Annals of Surgical Oncology|Clinical Medicine / Cancer; Neoplasms|1068-9265|Monthly| |SPRINGER +1147|Annals of Telecommunications-Annales des Telecommunications|Telecommunication; Télécommunications|0003-4347|Bimonthly| |SPRINGER FRANCE +1148|Annals of the American Academy of Political and Social Science|Social Sciences, general / Social sciences; Political science; Government; Politics; Social Sciences; Social Work; Sociale wetenschappen; Politieke wetenschappen; Sciences sociales; Science politique; Service social; POLITICAL SCIENCE; SOCIAL SCIENCES|0002-7162|Bimonthly| |SAGE PUBLICATIONS INC +1149|Annals of the Association of American Geographers|Social Sciences, general / Geography; Géographie|0004-5608|Quarterly| |ROUTLEDGE JOURNALS +1150|Annals of the Eastern Cape Museums| |1562-5273|Irregular| |ALBANY MUSEUM +1151|Annals of the Entomological Society of America|Plant & Animal Science / Entomology; Entomologie|0013-8746|Bimonthly| |ENTOMOLOGICAL SOC AMER +1152|Annals of the Geological Survey of Egypt| |1110-0435|Irregular| |EGYPTIAN GEOLOGICAL SURVEY MINING AUTHORITY +1153|Annals of the ICRP|Radiation; Radiation Protection; Radiologie|0146-6453|Bimonthly| |ELSEVIER SCI LTD +1154|Annals of the Institute of Statistical Mathematics|Mathematics / Mathematical statistics; Statistics|0020-3157|Quarterly| |SPRINGER HEIDELBERG +1155|Annals of the Missouri Botanical Garden|Plant & Animal Science / Botany; Plants; Plantkunde|0026-6493|Quarterly| |MISSOURI BOTANICAL GARDEN +1156|Annals of the New York Academy of Sciences|Multidisciplinary / Science; Sciences; Exacte wetenschappen; Wetenschappen|0077-8923|Biweekly| |BLACKWELL PUBLISHING +1157|Annals of the Rheumatic Diseases|Clinical Medicine / Rheumatism; Rheumatic Diseases; Arthritis|0003-4967|Monthly| |B M J PUBLISHING GROUP +1158|Annals of The Royal College of Surgeons of England|Clinical Medicine / Surgery; Chirurgie|0035-8843|Bimonthly| |ROYAL COLL SURGEONS ENGLAND +1159|Annals of the South African Museum| |0303-2515|Annual| |SOUTH AFRICAN MUSEUM +1160|Annals of the Transvaal Museum| |0041-1752|Irregular| |TRANSVAAL MUSEUM +1161|Annals of the Upper Silesian Museum in Bytom Entomology| |0867-1966|Annual| |UPPER SILESIAN MUSEUM +1162|Annals of the Upper Silesian Museum in Bytom Natural History| |0068-466X|Irregular| |MUZEUM GORNOSLASKIE +1163|Annals of Thoracic and Cardiovascular Surgery|Clinical Medicine|1341-1098|Bimonthly| |MEDICAL TRIBUNE INC +1164|Annals of Thoracic Medicine|Clinical Medicine /|1817-1737|Quarterly| |MEDKNOW PUBLICATIONS +1165|Annals of Thoracic Surgery|Clinical Medicine / Chest; Thoracic Diseases; Thorax|0003-4975|Monthly| |ELSEVIER SCIENCE INC +1166|Annals of Tourism Research|Social Sciences, general / Tourism|0160-7383|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +1167|Annals of Transplantation|Clinical Medicine|1425-9524|Quarterly| |INDEX COPERNICUS INT +1168|Annals of Tropical Medicine and Parasitology|Clinical Medicine / Tropical medicine; Trypanosomiasis; Parasites; Parasitology; Tropical Medicine|0003-4983|Bimonthly| |MANEY PUBLISHING +1169|Annals of Tropical Paediatrics|Clinical Medicine / Pediatric tropical medicine; Pediatrics; Tropical medicine; Tropical Medicine|0272-4936|Quarterly| |MANEY PUBLISHING +1170|Annals of Vascular Surgery|Clinical Medicine / Blood-vessels; Vascular Surgical Procedures; Vaisseaux sanguins / Blood-vessels; Vascular Surgical Procedures; Vaisseaux sanguins|0890-5096|Bimonthly| |ELSEVIER SCIENCE INC +1171|Annee Psychologique|Psychiatry/Psychology / Psychology; Psychologie; Philosophie|0003-5033|Quarterly| |NECPLUS +1172|Annotationes Zoologicae et Botanicae| |0570-202X|Irregular| |SLOVENSKE NARODNE MUZEUM V BRATISLAVE +1173|Annual Reports in Medicinal Chemistry|Pharmacology & Toxicology|0065-7743|Irregular| |ELSEVIER ACADEMIC PRESS INC +1174|Annual Reports on NMR Spectroscopy|Clinical Medicine / Nuclear magnetic resonance spectroscopy|0066-4103|Annual| |ELSEVIER ACADEMIC PRESS INC +1175|Annual Review of Analytical Chemistry|Chemistry / Chemistry, Analytic|1936-1327|Annual| |ANNUAL REVIEWS +1176|Annual Review of Analytical Chemistry| |1936-1327|Annual| |ANNUAL REVIEWS +1177|Annual Review of Anthropology|Social Sciences, general / Anthropology|0084-6570|Annual| |ANNUAL REVIEWS +1178|Annual Review of Applied Linguistics|Social Sciences, general / Applied linguistics; Toegepaste taalwetenschap; Linguistique appliquée|0267-1905|Annual| |CAMBRIDGE UNIV PRESS +1179|Annual Review of Astronomy and Astrophysics|Space Science / Astronomy; Astrophysics|0066-4146|Annual| |ANNUAL REVIEWS +1180|Annual Review of Biochemistry|Biology & Biochemistry / Biochemistry; Biochimie; Biochemie|0066-4154|Annual| |ANNUAL REVIEWS +1181|Annual Review of Biomedical Engineering|Engineering / Biomedical engineering; Génie biomédical; Biomedical Engineering|1523-9829|Annual| |ANNUAL REVIEWS +1182|Annual Review of Biophysics|Biophysics; Biomolecules; Molecular structure; Macromolecular Systems; Molecular Biology; Molecular Structure; Structure-Activity Relationship|1936-122X|Annual| |ANNUAL REVIEWS +1183|Annual Review of Cell and Developmental Biology|Molecular Biology & Genetics / Cytology; Developmental biology; Cells; Developmental Biology; Growth|1081-0706|Annual| |ANNUAL REVIEWS +1184|Annual Review of Clinical Psychology|Psychiatry/Psychology / Clinical psychology; Psychology, Pathological; Psychotherapy; Psychology, Clinical; Psychologie clinique; Psychopathologie; Psychothérapie / Clinical psychology; Psychology, Pathological; Psychotherapy; Psychology, Clinical; Psych|1548-5943|Annual| |ANNUAL REVIEWS +1185|Annual Review of Earth and Planetary Sciences|Geosciences / Earth sciences; Planets|0084-6597|Annual| |ANNUAL REVIEWS +1186|Annual Review of Ecology Evolution and Systematics|Environment/Ecology / Ecology; Biology; Evolution; Écologie; Biologie; Évolution|1543-592X|Annual| |ANNUAL REVIEWS +1187|Annual Review of Economics|Economics & Business /|1941-1383|Annual| |ANNUAL REVIEWS +1188|Annual Review of Entomology|Plant & Animal Science / Insects; Entomology; Entomologie|0066-4170|Annual| |ANNUAL REVIEWS +1189|Annual Review of Environment and Resources|Environment/Ecology / Power resources; Energy policy; Environmental policy|1543-5938|Annual| |ANNUAL REVIEWS +1190|Annual Review of Financial Economics|Economics & Business /|1941-1367|Annual| |ANNUAL REVIEWS +1191|Annual Review of Fluid Mechanics|Engineering / Fluid mechanics|0066-4189|Annual| |ANNUAL REVIEWS +1192|Annual Review of Food Science and Technology| |1941-1413| | |ANNUAL REVIEWS +1193|Annual Review of Genetics|Molecular Biology & Genetics / Genetics|0066-4197|Annual| |ANNUAL REVIEWS +1194|Annual Review of Genomics and Human Genetics|Molecular Biology & Genetics / Genomics; Human genetics; Gene mapping; Génomes; Génétique humaine; Cartes chromosomiques; Genome; Chromosome Mapping; Genetics, Medical; Genetica; Genoom / Genomics; Human genetics; Gene mapping; Génomes; Génétique humaine|1527-8204|Annual| |ANNUAL REVIEWS +1195|Annual Review of Immunology|Immunology / Immunology; Allergy and Immunology|0732-0582|Annual| |ANNUAL REVIEWS +1196|Annual Review of Information Science and Technology|Social Sciences, general / Information science; Information storage and retrieval systems; Libraries; Documentation; Information Services; Information Systems|0066-4200|Annual| |INFORMATION TODAY INC +1197|Annual Review of Law and Social Science|Social Sciences, general / Law and the social sciences; Sciences sociales; Droit; Rechtssociologie; Recht; Sociale wetenschappen|1550-3585|Annual| |ANNUAL REVIEWS +1198|Annual Review of Marine Science|Geosciences /|1941-1405|Annual| |ANNUAL REVIEWS +1199|Annual Review of Materials Research|Materials Science / Materials|1531-7331|Annual| |ANNUAL REVIEWS +1200|Annual Review of Materials Research| |1531-7331|Annual| |ANNUAL REVIEWS +1201|Annual Review of Medicine|Clinical Medicine / Medicine|0066-4219|Annual| |ANNUAL REVIEWS +1202|Annual Review of Microbiology|Microbiology / Microorganisms; Microbiology; Bacteriology; Microbiologie; Micro-organismes|0066-4227|Annual| |ANNUAL REVIEWS +1203|Annual Review of Neuroscience|Neuroscience & Behavior / Neurology; Nervous system|0147-006X|Annual| |ANNUAL REVIEWS +1204|Annual Review of Nuclear and Particle Science|Physics / Nuclear physics; Nuclear energy; Nuclear chemistry; Nuclear Energy; Nuclear Physics; Radiochemistry|0163-8998|Annual| |ANNUAL REVIEWS +1205|Annual Review of Nutrition|Agricultural Sciences / Nutrition; Alimentation; Voedingsleer|0199-9885|Annual| |ANNUAL REVIEWS +1206|Annual Review of Pathology-Mechanisms of Disease|Clinical Medicine / Pathology; Pathologie|1553-4006|Annual| |ANNUAL REVIEWS +1207|Annual Review of Pharmacology and Toxicology|Pharmacology & Toxicology / Pharmacology; Toxicology / Pharmacology; Toxicology|0362-1642|Annual| |ANNUAL REVIEWS +1208|Annual Review of Physical Chemistry|Chemistry / Chemistry, Physical and theoretical; Chemistry|0066-426X| | |ANNUAL REVIEWS +1209|Annual Review of Physiology|Biology & Biochemistry / Physiology|0066-4278|Annual| |ANNUAL REVIEWS +1210|Annual Review of Phytopathology|Plant & Animal Science / Plant diseases; Plantenziekten|0066-4286|Annual| |ANNUAL REVIEWS +1211|Annual Review of Plant Biology|Plant & Animal Science / Plant physiology; Plant molecular biology; Plant Physiology; Molecular Biology; Physiologie végétale; Biologie moléculaire; Biologie moléculaire végétale; Planten; Moleculaire biologie; Fysiologie|1543-5008|Annual| |ANNUAL REVIEWS +1212|Annual Review of Political Science|Social Sciences, general / Political science|1094-2939|Annual| |ANNUAL REVIEWS +1213|Annual Review of Psychology|Psychiatry/Psychology / Psychology; Psychologie|0066-4308|Annual| |ANNUAL REVIEWS +1214|Annual Review of Public Health|Social Sciences, general / Public health; Public Health|0163-7525|Annual| |ANNUAL REVIEWS +1215|Annual Review of Resource Economics|Economics & Business /|1941-1340|Annual| |ANNUAL REVIEWS +1216|Annual Review of Sociology|Social Sciences, general / Sociology|0360-0572|Annual| |ANNUAL REVIEWS +1217|Annual Review of the World Pheasant Association| |1359-7450|Annual| |WORLD PHEASANT ASSOC +1218|Annual Reviews in Control|Engineering / Automatic programming (Computer science); Real-time programming|1367-5788|Semiannual| |PERGAMON-ELSEVIER SCIENCE LTD +1219|Anq-A Quarterly Journal of Short Articles Notes and Reviews|English philology; American literature; Motion pictures; Philologie anglaise; Cinéma; Littérature américaine|0895-769X|Quarterly| |HELDREF PUBLICATIONS +1220|Anser| |0347-9595|Quarterly| |SKANES ORNITOLOGISKA FORENING +1221|Antarctic Record| |0085-7289|Tri-annual| |NATL INST POLAR RESEARCH +1222|Antarctic Science|Environment/Ecology / Science|0954-1020|Bimonthly| |CAMBRIDGE UNIV PRESS +1223|Antenna| |0140-1890|Quarterly| |ROYAL ENTOMOL SOC OF LONDON +1224|Anthropological Forum|Social Sciences, general / Ethnology|0066-4677|Tri-annual| |ROUTLEDGE JOURNALS +1225|Anthropological Notebooks|Social Sciences, general|1408-032X|Tri-annual| |SLOVENE ANTHROPOLOGICAL SOC +1226|Anthropological Papers of the American Museum of Natural History| |0065-9452|Irregular| |AMER MUSEUM NATURAL HISTORY +1227|Anthropological Quarterly|Social Sciences, general / Anthropology; Anthropologie; Antropologie|0003-5491|Quarterly| |GEORGE WASHINGTON UNIV INST ETHNOGRAPHIC RESEARCH +1228|Anthropological Science|Social Sciences, general / Anthropology|0918-7960|Tri-annual| |ANTHROPOLOGICAL SOC NIPPON +1229|Anthropological Theory|Social Sciences, general / Anthropology; Ethnology; Anthropologie; Ethnologie; Culturele antropologie; Theorie|1463-4996|Quarterly| |SAGE PUBLICATIONS LTD +1230|Anthropologie|Social Sciences, general / Anthropology; Ethnology; Culturele antropologie; Anthropologie / Anthropology; Ethnology; Culturele antropologie; Anthropologie|0003-5521|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1231|Anthropologischer Anzeiger|Social Sciences, general /|0003-5548|Quarterly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +1232|Anthropologist| |0972-0073|Quarterly| |KAMLA-RAJ ENTERPRISES +1233|Anthropology & Education Quarterly|Social Sciences, general / Educational anthropology; Education; Anthropologie et éducation|0161-7761|Quarterly| |WILEY-BLACKWELL PUBLISHING +1234|Anthropology and Archeology of Eurasia|Social Sciences, general / Anthropology|1061-1959|Quarterly| |M E SHARPE INC +1235|Anthropology Southern Africa|Social Sciences, general|0258-0144|Quarterly| |FORUM PRESS +1236|Anthropos|Social Sciences, general|0257-9774|Semiannual| |ANTHROPOS INST +1237|Anthropozoologica| |0761-3032|Semiannual| |PUBLICATIONS SCIENTIFIQUES DU MUSEUM +1238|Anthrozoos|Social Sciences, general / Human-animal relationships; Pets; Pet owners; Animals and civilization; Animal Rights; Animal Welfare; Animals, Domestic; Bonding, Human-Pet|0892-7936|Quarterly| |BERG PUBL +1239|Anti-Cancer Agents in Medicinal Chemistry|Clinical Medicine / Antineoplastic agents; Pharmaceutical chemistry; Antineoplastic Agents; Neoplasms|1871-5206|Monthly| |BENTHAM SCIENCE PUBL LTD +1240|Anti-Cancer Drugs|Clinical Medicine / Antineoplastic agents; Antineoplastic Agents; Neoplasms; Anticancéreux|0959-4973|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +1241|Anti-Corrosion Methods and Materials|Materials Science / Corrosion and anti-corrosives|0003-5599|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +1242|Anti-Infective Agents in Medicinal Chemistry| |1871-5214|Quarterly| |BENTHAM SCIENCE PUBL LTD +1243|Anti-Inflammatory & Anti-Allergy Agents in Medicinal Chemistry|Pharmaceutical chemistry; Anti-inflammatory agents; Antiallergic agents; Drugs; Chemistry, Pharmaceutical; Anti-Inflammatory Agents; Anti-Allergic Agents; Drug Design|1871-5230|Quarterly| |BENTHAM SCIENCE PUBL LTD +1244|Antibiotiki I Khimioterapiya| |0235-2990|Monthly| |IZDATELSTVO MEDIA SFERA +1245|Antibiotiques|Microbiology / Anti-Bacterial Agents|1294-5501|Quarterly| |MASSON EDITEUR +1246|Anticancer Research|Clinical Medicine|0250-7005|Bimonthly| |INT INST ANTICANCER RESEARCH +1247|Antigonish Review| |0003-5661|Quarterly| |ST FRANCIS XAVIER UNIV +1248|Antike und Abendland|Civilization, Ancient; Classical antiquities; Greek literature; Latin literature|0003-5696|Annual| |WALTER DE GRUYTER & CO +1249|Antimicrobial Agents and Chemotherapy|Microbiology / Antibiotics; Chemotherapy; Drug Therapy; Antibiotiques; Chimiothérapie|0066-4804|Monthly| |AMER SOC MICROBIOLOGY +1250|Antioch Review| |0003-5769|Quarterly| |ANTIOCH REVIEW +1251|Antioxidants & Redox Signaling|Biology & Biochemistry / Oxidation, Physiological; Antioxidants; Cellular signal transduction; Oxidation-reduction reaction; Oxidation-Reduction; Signal Transduction / Oxidation, Physiological; Antioxidants; Cellular signal transduction; Oxidation-reduct|1523-0864|Semimonthly| |MARY ANN LIEBERT INC +1252|Antipode|Social Sciences, general / Geography; Human geography; Géographie; Geografie|0066-4812|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1253|Antiquity| |0003-598X|Quarterly| |ANTIQUITY +1254|Antitrust Law Journal|Social Sciences, general|0003-6056|Tri-annual| |AMER BAR ASSOC +1255|Antiviral Chemistry & Chemotherapy|Microbiology /|0956-3202|Bimonthly| |INT MEDICAL PRESS LTD +1256|Antiviral Research|Microbiology / Antiviral agents; Virus inhibitors; Virus research; Antiviral Agents; Virus Diseases; Virus Inhibitors; Agents antiviraux; Virus|0166-3542|Monthly| |ELSEVIER SCIENCE BV +1257|Antiviral Therapy|Clinical Medicine /|1359-6535|Bimonthly| |INT MEDICAL PRESS LTD +1258|Antonie van Leeuwenhoek International Journal of General and Molecular Microbiology|Microbiology / Bacteriology; Microbiology; Serology|0003-6072|Bimonthly| |SPRINGER +1259|Anuari Ornitologic de Les Balears| |1137-831X|Annual| |GRUP BALEAR ORNITOLOGIA I DEFENSA NATURALESA-GOB +1260|Anuario Da Sociedade Broteriana| |0373-4641|Annual| |SOC BROTERIANA +1261|Anuario de Estudios Americanos| |0210-5810|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +1262|Anuario de Estudios Medievales|Social Sciences, general|0066-5061|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +1263|Anuario de Historia de la Iglesia| |1133-0104|Annual| |SERVICIO PUBLICACIONES UNIVERSIDAD NAVARRA +1264|Anuario Do Instituto de Geociencias| |0101-9759|Annual| |UNIV FEDERAL RIO DE JANEIRO +1265|Anuario Filosofico| |0066-5215|Tri-annual| |SERVICIO PUBL UNIV NAVARRA +1266|Anuario Ornitologico de Castellon| |1885-6624|Annual| |ANUARIO ORNITOLOGICO CASTELLON +1267|Anuarul Complexului Muzeal Bucovina Fascicula Stiintele Naturii| |1841-2912|Annual| |COMPLEXUL MUZEAL BUCOVINA +1268|Anuarul Institutului Geologic Al Romaniei| |1453-357X|Annual| |INST GEOLOGIC AL ROMANIEI +1269|Anxiety Stress and Coping|Psychiatry/Psychology / Anxiety; Adaptation, Psychological; Stress, Psychological; Angst; Stress; Angststoornissen; Angoisse|1061-5806|Quarterly| |TAYLOR & FRANCIS LTD +1270|ANZ Journal of Surgery|Clinical Medicine / Surgery; Surgical Procedures, Operative; Clinical Medicine|1445-1433|Monthly| |WILEY-BLACKWELL PUBLISHING +1271|Anzeiger des Vereins Thueringer Ornithologen| |0940-4708|Annual| |VEREIN THUERINGER ORNITHOLOGEN +1272|Anziam Journal|Mathematics / Mathematics; Mathématiques|1446-1811|Quarterly| |CAMBRIDGE UNIV PRESS +1273|Aperture| |0003-6420|Quarterly| |APERTURE +1274|Apg Acta Phytotaxonomica et Geobotanica| |1346-7565|Semiannual| |JAPANESE SOC PLANT SYSTEMATICS +1275|Aphasiology|Clinical Medicine / Aphasia; Aphasie; Afasie|0268-7038|Monthly| |PSYCHOLOGY PRESS +1276|Aphids and Other Homopterous Insects| | |Irregular| |POLISH ACAD SCIENCES +1277|Apidologie|Plant & Animal Science / Bees; Apidologie|0044-8435|Bimonthly| |EDP SCIENCES S A +1278|Apmis|Clinical Medicine / Pathology; Microbiology; Immunology; Allergy and Immunology|0903-4641|Monthly| |WILEY-BLACKWELL PUBLISHING +1279|Apollo-The International Magazine for Collectors| |0003-6536|Monthly| |APOLLO MAGAZINE LTD +1280|APOPTOSIS|Molecular Biology & Genetics / Apoptosis; Celdood|1360-8185|Monthly| |SPRINGER +1281|Appalachian Journal| |0090-3779|Quarterly| |APPALACHIAN STATE UNIV +1282|Appetite|Neuroscience & Behavior / Appetite; Appetite disorders; Feeding Behavior; Food; Food Habits; Appétit; Appétit, Troubles de l'|0195-6663|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +1283|Appita Journal|Materials Science|1038-6807|Bimonthly| |APPITA +1284|Applicable Algebra in Engineering Communication and Computing|Algebra; Algèbre|0938-1279|Bimonthly| |SPRINGER +1285|Applicable Analysis|Mathematical analysis; Analyse mathématique|0003-6811|Monthly| |TAYLOR & FRANCIS LTD +1286|Applications of Mathematics|Mathematics / Mathematics|0862-7940|Bimonthly| |ACAD SCIENCES CZECH REPUBLIC +1287|Applied & Preventive Psychology|Psychiatry/Psychology / Clinical psychology; Clinical health psychology; Psychology, Applied; Mental Disorders; Psychologie; Psychologie appliquée; Santé|0962-1849|Quarterly| |ELSEVIER SCIENCE BV +1288|Applied Acoustics|Physics / Acoustical engineering|0003-682X|Monthly| |ELSEVIER SCI LTD +1289|Applied and Computational Harmonic Analysis|Mathematics / Harmonic analysis|1063-5203|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +1290|Applied and Computational Mathematics|Mathematics|1683-3511|Semiannual| |AZERBAIJAN NATIONAL ACAD SCI +1291|Applied and Environmental Microbiology|Microbiology / Microbiology; Microbial ecology; Ecology; Environment; Microbiologie; Milieutechniek; Écologie microbienne|0099-2240|Semimonthly| |AMER SOC MICROBIOLOGY +1292|Applied Animal Behaviour Science|Plant & Animal Science / Domestic animals; Animal behavior; Animals, Domestic; Animals, Zoo; Ethology; Animaux|0168-1591|Biweekly| |ELSEVIER SCIENCE BV +1293|Applied Anthropology| |0093-2914|Quarterly| |SOC APPLIED ANTHROPOLOGY +1294|Applied Artificial Intelligence|Engineering / Artificial intelligence; Intelligence artificielle; Kunstmatige intelligentie; Toepassingen|0883-9514|Monthly| |TAYLOR & FRANCIS INC +1295|Applied Biochemistry and Biotechnology|Biology & Biochemistry / Solid-phase biochemistry; Biochemistry; Biomedical Engineering; Biochemie; Biotechnologie; Microbiologie; Chemische analyses; Computermethoden; Génie biochimique|0273-2289|Semimonthly| |HUMANA PRESS INC +1296|Applied Biochemistry and Microbiology|Microbiology / Biochemistry; Microbiology; Biochimie; Microbiologie|0003-6838|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +1297|Applied Catalysis A-General|Chemistry / Catalysis; Katalyse; Toepassingen; Catalyse|0926-860X|Semimonthly| |ELSEVIER SCIENCE BV +1298|Applied Catalysis B-Environmental|Chemistry / Catalysis; Katalyse; Milieuchemie; Catalyse|0926-3373|Semimonthly| |ELSEVIER SCIENCE BV +1299|Applied Categorical Structures|Mathematics / Categories (Mathematics); Algebra; Mathematical analysis; Topology; Computer science; Catégories (Mathématiques); Algèbre; Analyse mathématique; Topologie; Informatique; Categorieën (wiskunde)|0927-2852|Bimonthly| |SPRINGER +1300|Applied Clay Science|Geosciences / Clay|0169-1317|Bimonthly| |ELSEVIER SCIENCE BV +1301|Applied Cognitive Psychology|Psychiatry/Psychology / Cognition; Psychology, Applied; Psychologie; Cognitieve psychologie; Toepassingen|0888-4080|Quarterly| |JOHN WILEY & SONS LTD +1302|Applied Composite Materials|Materials Science / Composite materials|0929-189X|Bimonthly| |SPRINGER +1303|Applied Computational Electromagnetics Society Journal|Computer Science|1054-4887|Bimonthly| |APPLIED COMPUTATIONAL ELECTROMAGNETICS SOC +1304|Applied Developmental Science|Social Sciences, general / Developmental psychology; Psychology, Applied; Human Development|1088-8691|Quarterly| |PSYCHOLOGY PRESS +1305|Applied Ecology and Environmental Research|Environment/Ecology|1589-1623|Annual| |CORVINUS UNIV BUDAPEST +1306|Applied Economic Perspectives and Policy|Economics & Business /|2040-5790|Quarterly| |OXFORD UNIV PRESS INC +1307|Applied Economics|Economics & Business / Economics; Économie politique; Economie|0003-6846|Monthly| |ROUTLEDGE JOURNALS +1308|Applied Economics Letters|Economics & Business / Economics; Economics, Mathematical; Économie politique; Mathématiques économiques; Économétrie; Economie|1350-4851|Monthly| |ROUTLEDGE JOURNALS +1309|Applied Energy|Engineering / Power (Mechanics); Power resources; Energy conservation|0306-2619|Monthly| |ELSEVIER SCI LTD +1310|Applied Engineering in Agriculture|Engineering|0883-8542|Bimonthly| |AMER SOC AGRICULTURAL & BIOLOGICAL ENGINEERS +1311|Applied Entomology and Phytopathology| |1026-5007|Annual| |PLANT PESTS & DISEASES RESEARCH INST +1312|Applied Entomology and Zoology|Plant & Animal Science / Zoology, Economic; Beneficial insects; Pests; Entomology; Zoology; Veeteelt|0003-6862|Quarterly| |JAPAN SOC APPL ENTOMOL ZOOL +1313|Applied Ergonomics|Engineering / Human engineering; Human Engineering; Ergonomie|0003-6870|Bimonthly| |ELSEVIER SCI LTD +1314|Applied Geochemistry|Geosciences / Geochemistry; Cosmochemistry|0883-2927|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +1315|Applied Geography|Social Sciences, general / Geography|0143-6228|Quarterly| |ELSEVIER SCI LTD +1316|Applied Geophysics|Geosciences /|1672-7975|Quarterly| |SPRINGER +1317|Applied Herpetology|Plant & Animal Science / Herpetology|1570-7539|Quarterly| |BRILL ACADEMIC PUBLISHERS +1318|Applied Immunohistochemistry & Molecular Morphology|Immunology / Diagnostic immunohistochemistry; Immunohistochemistry / Diagnostic immunohistochemistry; Immunohistochemistry|1062-3345|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +1319|Applied Intelligence|Engineering / Artificial intelligence; Neural networks (Computer science)|0924-669X|Bimonthly| |SPRINGER +1320|Applied Linguistics|Social Sciences, general / Applied linguistics; Linguistique appliquée; Toegepaste taalwetenschap|0142-6001|Quarterly| |OXFORD UNIV PRESS +1321|Applied Magnetic Resonance|Engineering / Nuclear magnetic resonance; Magnetic Resonance Spectroscopy|0937-9347|Bimonthly| |SPRINGER WIEN +1322|Applied Mathematical Modelling|Engineering / Mathematics; Mathematical models; System analysis|0307-904X|Monthly| |ELSEVIER SCIENCE INC +1323|Applied Mathematics and Computation|Engineering / Mathematics; Mathematical models; Biomedical Engineering; Economics, Medical; Health Planning|0096-3003|Semimonthly| |ELSEVIER SCIENCE INC +1324|Applied Mathematics and Mechanics-English Edition|Engineering / Mathematics; Engineering mathematics; Mechanics, Analytic; Mechanics, Applied|0253-4827|Monthly| |SHANGHAI UNIV +1325|Applied Mathematics and Optimization|Mathematics / Mathematical optimization; Mathematical models / Mathematical optimization; Mathematical models|0095-4616|Bimonthly| |SPRINGER +1326|Applied Mathematics Letters|Mathematics / Mathematics; Mathématiques|0893-9659|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +1327|Applied Mathematics-A Journal of Chinese Universities Series B|Mathematics /|1005-1031|Quarterly| |SPRINGER +1328|Applied Measurement in Education|Social Sciences, general / Educational tests and measurements; Tests et mesures en éducation; Onderwijs; Meetmethoden|0895-7347|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +1329|Applied Mechanics Reviews|Engineering / Mechanics, Applied; Mécanique appliquée|0003-6900|Bimonthly| |ASME-AMER SOC MECHANICAL ENG +1330|Applied Microbiology and Biotechnology|Microbiology / Industrial microbiology; Biotechnology; Microbiology; Technology, Medical|0175-7598|Semimonthly| |SPRINGER +1331|Applied Neuropsychology|Psychiatry/Psychology / Neuropsychology; Brain; Nervous system; Diagnostic Imaging; Nervous System Diseases; Neuropsychological Tests|0908-4282|Quarterly| |PSYCHOLOGY PRESS +1332|Applied Numerical Mathematics|Mathematics / Numerical analysis|0168-9274|Monthly| |ELSEVIER SCIENCE BV +1333|Applied Nursing Research|Social Sciences, general / Nursing; Nursing Research; Soins infirmiers|0897-1897|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +1334|Applied Ocean Research|Engineering / Ocean engineering; Offshore structures|0141-1187|Bimonthly| |ELSEVIER SCI LTD +1335|Applied Optics|Physics / Optics; Optique|0003-6935|Biweekly| |OPTICAL SOC AMER +1336|Applied Organometallic Chemistry|Chemistry / Organometallic chemistry; Organometallic compounds|0268-2605|Monthly| |JOHN WILEY & SONS LTD +1337|Applied Physics A-Materials Science & Processing|Physics / Solid state physics; Surfaces (Physics) / Solid state physics; Surfaces (Physics) / Solid state physics; Surfaces (Physics)|0947-8396|Monthly| |SPRINGER +1338|Applied Physics B-Lasers and Optics|Physics / Physics; Lasers in chemistry; Lasers in biochemistry / Physics; Lasers in chemistry; Lasers in biochemistry / Physics; Lasers in chemistry; Lasers in biochemistry|0946-2171|Monthly| |SPRINGER +1339|Applied Physics Express|Physics / Physics; Technology|1882-0778|Monthly| |JAPAN SOC APPLIED PHYSICS +1340|Applied Physics Letters|Physics / Physics|0003-6951|Weekly| |AMER INST PHYSICS +1341|Applied Physiology Nutrition and Metabolism-Physiologie Appliquee Nutrition et Metabolisme|Clinical Medicine / Exercise; Physical fitness; Nutrition; Physiology; Exercice; Condition physique; Physiologie|1715-5312|Bimonthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +1342|Applied Psycholinguistics|Psychiatry/Psychology / Psycholinguistics|0142-7164|Quarterly| |CAMBRIDGE UNIV PRESS +1343|Applied Psychological Measurement|Psychiatry/Psychology / Psychometrics; Psychological tests; Psychology, Applied; Psychometrie; Psychométrie; Tests psychologiques; Psychologie appliquée|0146-6216|Quarterly| |SAGE PUBLICATIONS INC +1344|Applied Psychology-An International Review-Psychologie Appliquee-Revue Internationale|Psychiatry/Psychology / Psychology, Applied|0269-994X|Quarterly| |WILEY-BLACKWELL PUBLISHING +1345|Applied Psychophysiology and Biofeedback|Psychiatry/Psychology / Biofeedback training; Biofeedback (Psychology); Psychophysiology; Apprentissage par la rétroaction biologique; Psychophysiologie; Psychofysiologie; Biofeedback|1090-0586|Quarterly| |SPRINGER/PLENUM PUBLISHERS +1346|Applied Radiation and Isotopes|Physics / Radiation; Radioisotopes; Isotopes radioactifs; Rayonnement; Radioactiviteit; Isotopen; Toepassingen|0969-8043|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +1347|Applied Rheology|Engineering|1430-6395|Bimonthly| |KERSCHENSTEINER VERLAG GMBH +1348|Applied Soft Computing|Computer Science / Soft computing; Informatique douce|1568-4946|Quarterly| |ELSEVIER SCIENCE BV +1349|Applied Soil Ecology|Agricultural Sciences / Soil ecology|0929-1393|Monthly| |ELSEVIER SCIENCE BV +1350|Applied Spectroscopy|Engineering / Spectrum analysis; Analyse spectrale; Spectrometrie; Toepassingen|0003-7028|Monthly| |SOC APPLIED SPECTROSCOPY +1351|Applied Spectroscopy Reviews|Engineering / Spectrum analysis|0570-4928|Tri-annual| |TAYLOR & FRANCIS INC +1352|Applied Stochastic Models in Business and Industry|Economics & Business / Stochastic analysis; Stochastic processes; Business mathematics; Finance; Industrial management; Analyse stochastique; Processus stochastiques; Statistique industrielle; Statistique commerciale|1524-1904|Quarterly| |JOHN WILEY & SONS LTD +1353|Applied Surface Science|Materials Science / Surfaces (Technology); Surfaces (Physics); Surfaces (Technologie); Surfaces (Physique)|0169-4332|Semimonthly| |ELSEVIER SCIENCE BV +1354|Applied Thermal Engineering|Engineering / Heat engineering; Heat recovery; Heat exchangers|1359-4311|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +1355|Applied Vegetation Science|Plant & Animal Science / Plant ecology; Plant communities; Plant populations|1402-2001|Semiannual| |WILEY-BLACKWELL PUBLISHING +1356|Aqua|Water-supply|0945-9871|Bimonthly| |AQUAPRESS +1357|Aqua-BioScience Monographs| | | | |TERRA SCIENTIFIC PUBL CO +1358|Aquabiology| |0285-4376|Bimonthly| |SEIBUTSU KENKYUSHA CO +1359|Aquacultural Engineering|Plant & Animal Science / Aquaculture; Aquacultural engineering|0144-8609|Bimonthly| |ELSEVIER SCI LTD +1360|Aquaculture|Plant & Animal Science / Aquaculture|0044-8486|Weekly| |ELSEVIER SCIENCE BV +1361|Aquaculture Economics & Management| |1365-7305|Quarterly| |TAYLOR & FRANCIS INC +1362|Aquaculture International|Plant & Animal Science / Aquaculture|0967-6120|Bimonthly| |SPRINGER +1363|Aquaculture Nutrition|Agricultural Sciences / Aquatic animals; Fishes|1353-5773|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1364|Aquaculture Research|Plant & Animal Science / Aquaculture; Fishery management|1355-557X|Semimonthly| |WILEY-BLACKWELL PUBLISHING +1365|Aquarien-Praxis| |1869-0882|Monthly| |EUGEN ULMER GMBH CO +1366|Aquaristik Fachmagazin & Aquarium Heute| |1437-4854|Bimonthly| |TETRA VERLAG GMBH +1367|Aquarium - Hilversum| |0003-729X|Monthly| |NEDERLANDSE BOND AQUA TERRA +1368|Aquariumwereld| |1372-6501|Monthly| |AQUARIUMWERALD +1369|Aquatic| |1578-4541|Irregular| |REVISTA AQUATIC +1370|Aquatic Biology|Plant & Animal Science / Aquatic biology; Aquatic ecology; Marine biology; Freshwater biology|1864-7790|Monthly|http://www.int-res.com/journals/ab/ab-home/|INTER-RESEARCH +1371|Aquatic Botany|Plant & Animal Science / Aquatic plants|0304-3770|Bimonthly| |ELSEVIER SCIENCE BV +1372|Aquatic Conservation-Marine and Freshwater Ecosystems|Environment/Ecology / Aquatic ecology; Conservation of natural resources; Aquatic resources|1052-7613|Bimonthly| |JOHN WILEY & SONS LTD +1373|Aquatic Ecology|Environment/Ecology / Aquatic biology; Aquatic ecology; Aquatische ecologie / Aquatic biology; Aquatic ecology; Aquatische ecologie|1386-2588|Quarterly| |SPRINGER +1374|Aquatic Ecosystem Health & Management|Aquatic ecology; Ecosystem management / Aquatic ecology; Ecosystem management|1463-4988|Quarterly| |TAYLOR & FRANCIS INC +1375|Aquatic Environment Monitoring Report| |0142-2499|Irregular| |CENTRE ENVIRONMENT +1376|Aquatic Geochemistry|Geosciences / Water chemistry; Geochemistry|1380-6165|Quarterly| |SPRINGER +1377|Aquatic Insects|Plant & Animal Science / Aquatic insects|0165-0424|Quarterly| |TAYLOR & FRANCIS LTD +1378|Aquatic Invasions| |1818-5487|Quarterly| |EUROPEAN RESEARCH NETWORK ON AQUATIC INVASIVE SPECIES +1379|Aquatic Living Resources|Plant & Animal Science / Fishery resources; Aquatic resources; Aquatic biology; Aquaculture|0990-7440|Quarterly| |EDP SCIENCES S A +1380|Aquatic Mammals|Aquatic mammals; Dolphins|0167-5427|Tri-annual| |EUROPEAN ASSOC AQUATIC MAMMALS +1381|Aquatic Microbial Ecology|Plant & Animal Science / Aquatic ecology; Marine microbiology; Microbial ecology; Micro-organismen; Aquatische ecologie; Écologie des eaux; Microbiologie marine; Écologie microbienne|0948-3055|Monthly|http://www.int-res.com/journals/ame/ame-home/|INTER-RESEARCH +1382|Aquatic Sciences|Plant & Animal Science / Aquatic biology; Aquatic sciences; Fisheries; Water-supply; Hydrology; Sciences aquatiques; Hydrobiologie; Pêches; Eau; Hydrologie|1015-1621|Quarterly| |BIRKHAUSER VERLAG AG +1383|Aquatic Toxicology|Plant & Animal Science / Aquatic animals; Water; Toxicology; Water Pollutants|0166-445X|Semimonthly| |ELSEVIER SCIENCE BV +1384|Aquichan|Social Sciences, general|1657-5997|Semiannual| |UNIV SABANA +1385|Aquila| |0374-5708|Annual| |MEZOGAZDA KIADO KFT +1386|Aquilo Ser Botanica| |0570-5169|Semiannual| |OULUN LUONNONYSTAVAIN YHDISTYS R Y +1387|Aquilo Ser Zoologica| |0570-5177|Semiannual| |OULUN LUONNONYSTAVAIN YHDISTYS R Y +1388|Arab Gulf Journal of Scientific Research|Agricultural Sciences|1015-4442|Quarterly| |ARABIAN GULF UNIV +1389|Arab Journal of Plant Protection| |0255-982X|Semiannual| |ARAB SOC PLANT PROTECT +1390|Arabian archaeology and epigraphy|Inscriptions|0905-7196|Semiannual| |WILEY-BLACKWELL PUBLISHING +1391|Arabian Journal for Science and Engineering|Engineering|1319-8025|Bimonthly| |KING FAHD UNIV PETROLEUM MINERALS +1392|Arabian Journal of Geosciences| |1866-7511|Quarterly| |SPRINGER HEIDELBERG +1393|Arabic Sciences and Philosophy|Learning and scholarship; Science; Philosophy, Arab; Philosophy|0957-4239|Semiannual| |CAMBRIDGE UNIV PRESS +1394|Arabica|Arabic philology; Civilization, Arab; Philologie arabe; Civilisation arabe; Islam|0570-5398|Bimonthly| |BRILL ACADEMIC PUBLISHERS +1395|Arachnologische Mitteilungen| |1018-4171|Semiannual| |ARACHNOLOGISCHE GESELLSCHAFT EV +1396|Aranzadiana| |1132-2292|Irregular| |SOC CIENCIAS ARANZADI +1397|Arbor-Ciencia Pensamiento Y Cultura| |0210-1963|Monthly| |LIBRERIA CIENTIFICA MEDINACELI +1398|Arboricultural Journal| |0307-1375|Quarterly| |A B ACADEMIC PUBL +1399|Arboriculture & Urban Forestry| |1935-5297|Bimonthly| |INT SOC ARBORICULTURE +1400|Arbovirus Research in Australia| |0725-4989|Irregular| |QUEENSLAND INST MEDICAL RESEARCH +1401|Arbs-Annual Review of Biomedical Sciences| |1517-3011|Annual| |FUNDACAO EDITORA UNESP +1402|Arcadia|Literature, Comparative|0003-7982|Semiannual| |WALTER DE GRUYTER & CO +1403|Arcata Fisheries Technical Report| | |Irregular| |ARCATA FISH & WILDLIFE OFFICE +1404|Archaea-An International Microbiological Journal| |1472-3646|Irregular| |HERON PUBLISHING +1405|Archaeofauna| |1132-6891|Annual| |LABORATORIO ARQUEOZOOLOGIA +1406|Archaeological and Ethnological Papers of the Peabody Museum| | |Irregular| |HARVARD UNIV PRESS +1407|Archaeological Dialogues|Archaeology; Archeologie|1380-2038|Semiannual| |CAMBRIDGE UNIV PRESS +1408|Archaeological Prospection|Archaeology; Prospecting; Archeologie|1075-2196|Quarterly| |JOHN WILEY & SONS INC +1409|Archaeologies-Journal of the World Archaeological Congress|Archaeology; Social archaeology|1555-8622|Tri-annual| |SPRINGER +1410|Archaeology| |0003-8113|Bimonthly| |ARCHAEOLOGICAL INST AMERICA +1411|Archaeology in Oceania|Geosciences|0003-8121|Tri-annual| |UNIV SYDNEY +1412|Archaeomalacology Group Newsletter| | |Semiannual| |ARCHAEOMALACOLOGY GROUP +1413|Archaeometry|Chemistry / Archaeometry; Archaeology; Archeologie; Meetmethoden; Statistische methoden; Archéométrie; Archéologie|0003-813X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1414|Archaeopteryx| |0933-288X|Annual| |VERLAG DR FRIEDRICH PFEIL +1415|Archaologisches Korrespondenzblatt| |0342-734X|Quarterly| |ROMISCH-GERMANISCHES ZENTRALMUSEUM +1416|Archaologisches Nachrichtenblatt| |0948-8359|Quarterly| |AKADEMIE VERLAG GMBH +1417|Architect| |0746-0554|Monthly| |HANLEY WOOD +1418|Architectura-Zeitschrift fur Geschichte der Baukunst| |0044-863X|Semiannual| |DEUTSCHER KUNSTVERLAG GMBH +1419|Architectural Design|Architecture; Architectural design; Buildings|0003-8504|Bimonthly| |JOHN WILEY & SONS LTD +1420|Architectural Digest| |0003-8520|Monthly| |CONDE NAST PUBL INC +1421|Architectural History|Architecture|0066-622X|Annual| |SOC ARCHITECT HIST GREAT BRIT +1422|Architectural Record| |0003-858X|Monthly| |MCGRAW HILL INC +1423|Architectural Review| |0003-861X|Monthly| |EMAP BUSINESS PUBLISHING LTD +1424|Architectural Theory Review|Architecture|1326-4826|Tri-annual| |ROUTLEDGE JOURNALS +1425|Archiv der Freunde der Naturgeschichte in Mecklenburg| |0518-3189|Annual| |UNIV ROSTOCK +1426|Archiv der Mathematik|Mathematics / Mathematics|0003-889X|Monthly| |BIRKHAUSER VERLAG AG +1427|Archiv der Pharmazie|Pharmacology & Toxicology / Pharmacy; Pharmacie|0365-6233|Monthly| |WILEY-V C H VERLAG GMBH +1428|Archiv für Geschiebekunde| |0936-2967|Irregular| |GESELLSCHAFT GESCHIEBEKUNDE E V +1429|Archiv für Das Studium der Neueren Sprachen und Literaturen| |0003-8970|Semiannual| |ERICH SCHMIDT VERLAG +1430|Archiv für Dermatologie und Syphilis|Dermatology|0365-6020|Irregular| |WILEY-V C H VERLAG GMBH +1431|Archiv für die Gesamte Physiologie des Menschen und der Tiere| |0365-267X| | |SPRINGER +1432|Archiv für die Gesamte Psychologie| |0724-7842| | |DUMMY PUBLISHER FOR 1976 CROSSREFERENCE RECORDS. +1433|Archiv für Entwicklungsmechanik der Organismen|Embryology; Developmental biology; Genes; Evolution (Biology); Developmental Biology; Growth; Ontwikkelingsbiologie|0374-5155| | |SPRINGER +1434|Archiv für Experimentelle Pathologie und Pharmakologie|Pharmacology|0365-2041| | |SPRINGER +1435|Archiv für Experimentelle Zellforschung| |0259-7683|Annual| |GUSTAV FISCHER VERLAG JENA +1436|Archiv für Geflugelkunde|Plant & Animal Science|0003-9098|Bimonthly| |EUGEN ULMER GMBH CO +1437|Archiv für Geschichte der Philosophie|Philosophy|0003-9101|Tri-annual| |WALTER DE GRUYTER & CO +1438|Archiv für Hydrobiologie Supplement| |0342-1120|Quarterly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +1439|Archiv für Kriminologie| |0003-9225|Bimonthly| |SCHMIDT-ROEMHILD +1440|Archiv für Lebensmittelhygiene|Agricultural Sciences|0003-925X|Bimonthly| |M H SCHAPER GMBH CO KG +1441|Archiv für Mikroskopische Anatomie| |0176-7348|Irregular| |SPRINGER +1442|Archiv für Mikroskopische Anatomie und Entwicklungsgeschichte| |0176-7356| | |SPRINGER +1443|Archiv für Mikroskopische Anatomie und Entwicklungsmechanik|Embryology; Developmental biology; Genes; Evolution (Biology); Developmental Biology; Growth; Ontwikkelingsbiologie|0365-4125| | |SPRINGER +1444|Archiv für Molluskenkunde| |0003-9284|Semiannual| |E. SCHWEIZERBART SCIENCE PUBLISHERS +1445|Archiv für Musikwissenschaft|Musicology|0003-9292|Quarterly| |FRANZ STEINER VERLAG GMBH +1446|Archiv für Pathologische Anatomie und Physiologie und für Klinische Medicin|Pathology; Histology, Pathological; Pathologische anatomie; Histopathologie; Pathologie|0720-8723|Tri-annual| |SPRINGER +1447|Archiv für Pathologische Anatomie und Physiologie und fur Klinische Medizin| |0720-8723|Tri-annual| |SPRINGER +1448|Archiv für Psychiatrie und Nervenkrankheiten|Neurology; Psychiatry / Neurology; Psychiatry|0003-9373|Bimonthly| |SPRINGER +1449|Archiv für Reformationsgeschichte-Archive for Reformation History| |0003-9381|Annual| |VEREINIGTE VERLAGSAUSLIEFERUNG +1450|Archiv für Soziale Gesetzgebung und Statistik| |0174-8181| | |CARL HEYMANNS VERLAG KG +1451|Archiv für Sozialgeschichte| |0066-6505|Annual| |VERLAG J H W DIETZ NACHF +1452|Archiv für Sozialwissenschaft und Sozialpolitik| |0174-819X| | |CARL HEYMANNS VERLAG KG +1453|Archiv für Tierzucht-Archives of Animal Breeding|Plant & Animal Science|0003-9438|Bimonthly| |ARCHIV FUR TIERZUCHT +1454|Archiv Orientalni| |0044-8699|Quarterly| |ORIENTAL INST CZECH ACAD SCI +1455|Archiv Zoologischer Publikationen| | |Annual| |MARTINA GALUNDER-VERLAG +1456|Archive for History of Exact Sciences|Science; Sciences; Exacte wetenschappen|0003-9519|Bimonthly| |SPRINGER +1457|Archive for Mathematical Logic|Mathematics / Logic, Symbolic and mathematical; Logique symbolique et mathématique; Wiskundige logica / Logic, Symbolic and mathematical; Logique symbolique et mathématique; Wiskundige logica|1432-0665|Bimonthly| |SPRINGER +1458|Archive for Rational Mechanics and Analysis|Engineering / Mechanics, Analytic; Mathematical physics|0003-9527|Monthly| |SPRINGER +1459|Archive of Applied Mechanics|Engineering / Mechanics, Applied / Mechanics, Applied|0939-1533|Monthly| |SPRINGER +1460|Archives de L Institut Pasteur D Algerie| |0020-2460|Annual| |INST PASTEUR ALGERIE +1461|Archives de L Institut Pasteur de Madagascar| |0020-2495|Semiannual| |INST PANAMER GEOGRAFIA HIST +1462|Archives de L Institut Pasteur de Tunis| |0020-2509|Quarterly| |INST PASTEUR TUNIS +1463|Archives de Pédiatrie|Clinical Medicine / Pediatrics; Pédiatrie|0929-693X|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +1464|Archives de Philosophie| |0003-9632|Quarterly| |ASSOC CENTRE SEVRES +1465|Archives de Psychologie| |0003-9640|Quarterly| |MEDECINE ET HYGIENE +1466|Archives des Maladies Professionnelles et de l Environnement|Clinical Medicine / Medicine, Industrial; Occupational diseases; Envireonmental health; Occupational Diseases; Environmental Health; Médecine du travail; Maladies professionnelles; Médecine de l'environnement; Hygiène du milieu|1775-8785|Bimonthly| |ELSEVIER SCIENCE INC +1467|Archives des Sciences|Plant & Animal Science|1661-464X|Tri-annual| |SOC PHYS HIST NATURELLE GENEVE +1468|Archives Europeennes de Sociologie|Social Sciences, general / Social sciences; Sociology; Sociologie; Sciences sociales; HISTORICAL SOCIOLOGY|0003-9756|Semiannual| |CAMBRIDGE UNIV PRESS +1469|Archives Internationales de Pharmacodynamie et de Therapie| |0003-9780|Monthly| |ARCH INT PHARMACODYNAMIE +1470|Archives Italiennes de Biologie|Neuroscience & Behavior|0003-9829|Quarterly| |UNIV PISA +1471|Archives of Acoustics|Physics|0137-5075|Quarterly| |POLISH ACAD SCIENCES INST FUNDAMENTAL TECHNOLOGICAL RESEARCH +1472|Archives of Agronomy and Soil Science|Agriculture; Horticulture; Soils; Agricultural ecology|0365-0340|Bimonthly| |TAYLOR & FRANCIS LTD +1473|Archives of American Art Journal| |0003-9853|Quarterly| |SMITHSONIAN INST +1474|Archives of Animal Nutrition|Plant & Animal Science / Animal nutrition; Animal Feed; Animal Nutrition|1745-039X|Bimonthly| |TAYLOR & FRANCIS LTD +1475|Archives of Biochemistry and Biophysics|Biology & Biochemistry / Biochemistry; Biophysics; Biochimie; Biophysique|0003-9861|Semimonthly| |ELSEVIER SCIENCE INC +1476|Archives of Biological Sciences|Biology & Biochemistry / Biology|0354-4664|Quarterly| |INST BIOLOSKA ISTRAZIVANJA SINISA STANKOVIC +1477|Archives of Budo|Clinical Medicine|1643-8698|Quarterly| |INT SCIENTIFIC LITERATURE +1478|Archives of Cardiovascular Diseases|Clinical Medicine / Cardiovascular system; Heart; Cardiovascular Diseases|1875-2136|Monthly| |ELSEVIER MASSON +1479|Archives of Civil and Mechanical Engineering|Engineering|1644-9665|Quarterly| |WROCLAW UNIV TECHNOLOGY +1480|Archives of Clinical Neuropsychology|Psychiatry/Psychology / Clinical neuropsychology; Neuropsychology|0887-6177|Bimonthly| |OXFORD UNIV PRESS +1481|Archives of Computational Methods in Engineering|Engineering / Engineering mathematics; Mathématiques de l'ingénieur|1134-3060|Quarterly| |SPRINGER +1482|Archives of Dermatological Research|Clinical Medicine / Dermatology / Dermatology / Dermatology / Dermatology / Dermatology|0340-3696|Monthly| |SPRINGER +1483|Archives of Dermatology|Clinical Medicine / Dermatology; Dermatologie|0003-987X|Monthly| |AMER MEDICAL ASSOC +1484|Archives of Dermatology and Syphilology| |0096-6029|Annual| |AMER MEDICAL ASSOC +1485|Archives of Disease in Childhood|Clinical Medicine / Children; Infants; Pediatrics; Kindergeneeskunde|0003-9888|Monthly| |B M J PUBLISHING GROUP +1486|Archives of Disease in Childhood-Education and Practice Edition|Clinical Medicine / Pediatrics; Children; Kindergeneeskunde|1743-0585|Bimonthly| |B M J PUBLISHING GROUP +1487|Archives of Disease in Childhood-Fetal and Neonatal Edition|Clinical Medicine / Children; Infants; Newborn infants; Fetus; Fetal Diseases; Infant, Newborn, Diseases; Kindergeneeskunde; Neonatologie|1359-2998|Bimonthly| |B M J PUBLISHING GROUP +1488|Archives of Environmental & Occupational Health|Clinical Medicine / Medicine, Preventive; Medicine, Industrial; Environmental health; Occupational diseases; Environmental Health; Occupational Medicine; Médecine préventive; Médecine du travail; Médecine de l'environnement; Maladies professionnelles; Mi|1933-8244|Quarterly| |HELDREF PUBLICATIONS +1489|Archives of Environmental Contamination and Toxicology|Environment/Ecology / Pesticides; Environmental Health; Toxicology; Pollution|0090-4341|Bimonthly| |SPRINGER +1490|Archives of Environmental Protection|Environment/Ecology|0324-8461|Quarterly| |POLISH ACAD SCIENCES +1491|Archives of Facial Plastic Surgery|Clinical Medicine / Reconstructive Surgical Procedures; Face|1521-2491|Bimonthly| |AMER MEDICAL ASSOC +1492|Archives of General Psychiatry|Psychiatry/Psychology / Psychiatry; Mental Disorders; Psychiatrie|0003-990X|Monthly| |AMER MEDICAL ASSOC +1493|Archives of Gerontology and Geriatrics|Clinical Medicine / Aging; Geriatrics; Gerontology|0167-4943|Bimonthly| |ELSEVIER IRELAND LTD +1494|Archives of Gynecology and Obstetrics|Clinical Medicine / Gynecology; Obstetrics; Gynécologie; Obstétrique; Gynaecologie; Verloskunde|0932-0067|Bimonthly| |SPRINGER HEIDELBERG +1495|Archives of Histology and Cytology|Clinical Medicine / Cytology; Histology; Histologie; Cytologie|0914-9465|Bimonthly| |JAPAN SOC HISTOL DOCUMENTATION NIIGATA UNIV MEDICAL SCHOOL +1496|Archives of Insect Biochemistry and Physiology|Plant & Animal Science / Insects; Insect biochemistry; Insecten|0739-4462|Monthly| |WILEY-LISS +1497|Archives of Internal Medicine|Clinical Medicine / Internal medicine; Medicine; Médecine interne|0003-9926|Semimonthly| |AMER MEDICAL ASSOC +1498|Archives of Iranian Medicine|Clinical Medicine|1029-2977|Quarterly| |ACAD MEDICAL SCIENCES I R IRAN +1499|Archives of Mechanics|Engineering|0373-2029|Bimonthly| |POLISH ACAD SCIENCES INST FUNDAMENTAL TECHNOLOGICAL RESEARCH +1500|Archives of Medical Research|Clinical Medicine / Medicine; Médecine|0188-4409|Bimonthly| |ELSEVIER SCIENCE INC +1501|Archives of Medical Science| |1734-1922|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +1502|Archives of Metallurgy and Materials|Materials Science|1733-3490|Quarterly| |POLISH ACAD SCIENCES COMMITTEE METALLURGY +1503|Archives of Microbiology|Microbiology / Microbiology; Microbiologie / Microbiology; Microbiologie|0302-8933|Monthly| |SPRINGER +1504|Archives of Mining Sciences|Geosciences|0860-7001|Quarterly| |POLISH ACAD SCIENCES +1505|Archives of Natural History|Natural history; Natural history literature; Science|0260-9541|Tri-annual| |SOC HISTORY NATURAL HISTORY +1506|Archives of Neurology|Neuroscience & Behavior / Neurology|0003-9942|Monthly| |AMER MEDICAL ASSOC +1507|Archives of Neurology and Psychiatry| |0096-6754|Monthly| |AMER MEDICAL ASSOC +1508|Archives of Ophthalmology|Clinical Medicine / Ophthalmology; Ophtalmologie|0003-9950|Monthly| |AMER MEDICAL ASSOC +1509|Archives of Oral Biology|Clinical Medicine / Dentistry; Mouth; Dentisterie; Bouche|0003-9969|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +1510|Archives of Orthopaedic and Trauma Surgery|Clinical Medicine / Orthopedics; Wounds and injuries; Wounds and Injuries; Orthopedische chirurgie; Trauma's (geneeskunde)|0936-8051|Monthly| |SPRINGER +1511|Archives of Otolaryngology| |0276-0673|Monthly| |AMER MEDICAL ASSOC +1512|Archives of Otolaryngology-Head & Neck Surgery|Clinical Medicine / Head; Neck; Otolaryngology|0886-4470|Monthly| |AMER MEDICAL ASSOC +1513|Archives of Pathology| |0361-7017|Monthly| |AMER MEDICAL ASSOC +1514|Archives of Pathology & Laboratory Medicine|Clinical Medicine|0003-9985|Monthly| |COLLEGE AMER PATHOLOGISTS +1515|Archives of Pediatrics & Adolescent Medicine|Clinical Medicine / Pediatrics; Adolescent medicine; Adolescent Medicine; Pédiatrie; Médecine de l'adolescence; Kindergeneeskunde; Adolescenten|1072-4710|Monthly| |AMER MEDICAL ASSOC +1516|Archives of Pharmacal Research|Pharmacology & Toxicology / Pharmacology|0253-6269|Monthly| |PHARMACEUTICAL SOC KOREA +1517|Archives of Physical Medicine and Rehabilitation|Clinical Medicine / Physical therapy; Rehabilitation; Physical Medicine / Physical therapy; Rehabilitation; Physical Medicine|0003-9993|Monthly| |W B SAUNDERS CO-ELSEVIER INC +1518|Archives of Physiology and Biochemistry|Biology & Biochemistry / Physiology; Biochemistry; Biophysics|1381-3455|Bimonthly| |TAYLOR & FRANCIS INC +1519|Archives of Phytopathology and Plant Protection|Plants, Protection of; Plant diseases|0323-5408|Monthly| |TAYLOR & FRANCIS LTD +1520|Archives of Psychiatric Nursing|Psychiatry/Psychology / Psychiatric nursing; Psychiatric Nursing; Soins infirmiers en psychiatrie; Psychiatrie; Verpleging|0883-9417|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +1521|Archives of Psychology| |0272-6653| | |ARCHIVES OF PSYCHOLOGY-SCIENCE PRESS +1522|Archives of Sexual Behavior|Psychiatry/Psychology / Sex; Sexology; Sexual Behavior|0004-0002|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +1523|Archives of Suicide Research|Psychiatry/Psychology / Suicide|1381-1118|Quarterly| |ROUTLEDGE JOURNALS +1524|Archives of Surgery|Clinical Medicine / Surgery; Surgical Procedures, Operative; Chirurgie (geneeskunde); Chirurgie|0004-0010|Monthly| |AMER MEDICAL ASSOC +1525|Archives of Toxicology|Pharmacology & Toxicology / Toxicology / Toxicology / Toxicology / Toxicology / Toxicology / Toxicology / Toxicology / Toxicology|0340-5761|Monthly| |SPRINGER +1526|Archives of Veterinary Science| |1517-784X|Semiannual| |UNIV FEDERAL PARANA +1527|Archives of Virology|Microbiology / Virology; Virologie|0304-8608|Monthly| |SPRINGER WIEN +1528|Archives of Womens Mental Health|Psychiatry/Psychology / Mental Disorders; Women; Women's Health; Femmes|1434-1816|Quarterly| |SPRINGER WIEN +1529|Archivio Di Medicina Interna| |0004-010X|Quarterly| |C E M - CASA EDITRICE MACCARI +1530|Archivio Geobotanico| |1122-7214|Semiannual| |UNIV PAVIA +1531|Archivio Storico Italiano| |0391-7770|Quarterly| |CASA EDITRICE LEO S OLSCHKI +1532|Archivo Español de Arqueología| |0066-6742|Annual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +1533|Archivo Espanol de Arte| |0004-0428|Quarterly| |ARCHIVO ESPANOL DE ARTE +1534|Archivos Argentinos de Pediatria|Clinical Medicine|0325-0075|Bimonthly| |SOC ARGENTINA PEDIATRIA +1535|Archivos de Alergia E Inmunologia Clinica|Molecular Biology & Genetics|1515-9825|Quarterly| |ARCH ALERGIA & INMUNOLOGIA CLIN +1536|Archivos de Bronconeumología|Clinical Medicine / Respiratory organs; Respiratory Tract Diseases|0300-2896|Monthly| |EDICIONES DOYMA S A +1537|Archivos de Cardiologia de Mexico| |1405-9940|Quarterly| |INST NACIONAL CARDIOLOGIA IGNACIO CHAVEZ +1538|Archivos de medicina veterinaria|Plant & Animal Science /|0301-732X|Tri-annual| |UNIV AUSTRAL CHILE +1539|Archivos de Zootecnia| |0004-0592|Quarterly| |INST ZOOTECNIA +1540|Archivos Espanoles de Urologia| |0004-0614|Monthly| |INIESTARES +1541|Archivos Latinoamericanos de Nutricion|Agricultural Sciences|0004-0622|Quarterly| |ARCHIVOS LATINOAMERICANOS NUTRICION +1542|Archivum Immunologiae et Therapiae Experimentalis|Immunology / Immunology; Therapeutics, Experimental; Allergy and Immunology; Therapeutics|0004-069X|Bimonthly| |BIRKHAUSER VERLAG AG +1543|Archiwum Rybactwa Polskiego| |1230-6428|Semiannual| |STANISLAW SAKOWICZ INLAND FISHERIES INST +1544|Arctic|Environment/Ecology|0004-0843|Quarterly| |ARCTIC INST N AMER +1545|Arctic Antarctic and Alpine Research|Environment/Ecology / Alpine regions; Gebergten; Régions montagneuses|1523-0430|Quarterly| |INST ARCTIC ALPINE RES +1546|Arctic Anthropology|Social Sciences, general /|0066-6939|Annual| |UNIV WISCONSIN PRESS +1547|Arctic Birds International Breeding Conditions Newsletter| | |Irregular| |INT WADER STUDY GROUP +1548|Arctic Science Conference Abstracts| | |Irregular| |AMER ASSOC ADVANCEMENT SCIENCE +1549|Ardea|Plant & Animal Science|0373-2266|Semiannual| |NEDERLANDSE ORNITHOLOGISCHE UNIE +1550|Ardeola|Plant & Animal Science|0570-7358|Semiannual| |SOC ESPANOLA ORNITOLGIA +1551|Area|Social Sciences, general / Geography|0004-0894|Quarterly| |WILEY-BLACKWELL PUBLISHING +1552|Arethusa| |0004-0975|Tri-annual| |JOHNS HOPKINS UNIV PRESS +1553|Argiope| |1259-5411|Irregular| |MANCHE NATURE +1554|Argos|Social Sciences, general|0254-1637|Semiannual| |UNIV SIMON BOLIVAR +1555|Argumenta Oeconomica|Economics & Business|1233-5835|Semiannual| |WROCLAW UNIV ECONOMICS +1556|Arheoloski Vestnik| |0570-8966|Annual| |INST ARHEOLOSKI SLOVENSKA ACAD SCI ARTS +1557|Arhiv Za Higijenu Rada I Toksikologiju|Environment/Ecology / Industrial hygiene; Industrial toxicology; Occupational Medicine; Toxicology|0004-1254|Quarterly| |INST MEDICAL RESEARCH & OCCUPATIONAL HEALTH +1558|Arianta| |2072-7410|Irregular| |NATURHISTORISCHES MUSEUM WIEN +1559|Arid Land Research and Management|Environment/Ecology / Arid soils; Arid regions agriculture; Desert reclamation|1532-4982|Quarterly| |TAYLOR & FRANCIS INC +1560|Ariel-A Review of International English Literature| |0004-1327|Quarterly| |ARIEL UNIV CALGARY +1561|Arion-A Journal of Humanities and the Classics| |0095-5809|Tri-annual| |BOSTON UNIV +1562|Arizona Game and Fish Department Research Branch Technical Guidance Bulletin| | |Irregular| |ARIZONA GAME FISH DEPT +1563|Arkansas Historical Quarterly| |0004-1823|Quarterly| |ARKANSAS HISTORICAL ASSOC +1564|Arkhiv Patologii| |0004-1955|Bimonthly| |IZDATELSTVO MEDITSINA +1565|Arkiv för matematik|Mathematics / Mathematics; Wiskunde; Mathématiques|0004-2080|Semiannual| |SPRINGER +1566|Arkivoc|Chemistry|1551-7004|Irregular| |ARKAT USA INC +1567|Armed Forces & Society|Social Sciences, general / Sociology, Military; Sociologie militaire / Sociology, Military; Sociologie militaire|0095-327X|Quarterly| |SAGE PUBLICATIONS INC +1568|Arms & Armour|Armor; Weapons|1741-6124|Semiannual| |MANEY PUBLISHING +1569|Arnaldoa| |1815-8242|Irregular| |UNIV PRIVADA ANTENOR ORREGO +1570|Arnoldia| |0004-2633|Quarterly| |ARNOLD ARBORETUM +1571|Arnoldia Zimbabwe| |0250-6386|Irregular| |NATL MUSEUMS & MONUMENTS +1572|Arq|Social Sciences, general|0716-0852|Tri-annual| |EDICIONES ARQ +1573|Arq-Architectural Research Quarterly|Architecture; Design architectural / Architecture; Design architectural|1359-1355|Quarterly| |CAMBRIDGE UNIV PRESS +1574|Arquipelago Boletim Da Universidade Dos Acores Ciencias Biologicas E Marinhas| |0873-4704|Annual| |UNIV ACORES +1575|Arquitetura Revista| |1808-5741|Semiannual| |EDITORA UNISINOS +1576|Arquivo Brasileiro de Medicina Veterinária e Zootecnia|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0102-0935|Bimonthly| |ARQUIVO BRASILEIRO MEDICINA VETERINARIA ZOOTECNIA +1577|Arquivos Brasileiros de Cardiologia|Clinical Medicine / Cardiology|0066-782X|Monthly| |ARQUIVOS BRASILEIROS CARDIOLOGIA +1578|Arquivos Brasileiros de Endocrinologia E Metabologia|Clinical Medicine / Endocrinology; Metabolism|0004-2730|Monthly| |SBEM-SOC BRASIL ENDOCRINOLOGIA & METABOLOGIA +1579|Arquivos Brasileiros de Oftalmologia|Clinical Medicine / Ophthalmology|0004-2749|Bimonthly| |CONSEL BRASIL OFTALMOLOGIA +1580|Arquivos de Ciencias Do Mar| |0374-5686|Annual| |UNIV FEDERAL CEARA +1581|Arquivos de Ciencias Veterinarias E Zoologia Da Unipar| |1415-8167|Semiannual| |ARQUIVOS CIENCIAS VETERINARIAS ZOOLOGIA UNIPAR +1582|Arquivos de Gastroenterologia|Gastroenterology; Gastroentérologie; Gastro-enterologie|0004-2803|Quarterly| |INST BRASILEIRO ESTUDOS PESQUISAS GASTROENTEROLOGIA +1583|Arquivos de Neuro-Psiquiatria|Neuroscience & Behavior / Psychiatry|0004-282X|Quarterly| |ASSOC ARQUIVOS NEURO- PSIQUIATRIA +1584|Arquivos de Zoologia-Sao Paulo| |0066-7870|Irregular| |MUSEU ZOOLOGIA UNIV SAO PAULO +1585|Arquivos Do Instituto Biologico Sao Paulo| |0020-3653|Semiannual| |COORDENADORIA DA PESQUISA AGROPECUARIA +1586|Arquivos Do Jardim Botanico Do Rio de Janeiro| |0103-2550|Annual| |JARDIM BOTANICO DO RIO DE JANEIRO +1587|Arquivos Do Museu Bocage| |0871-4843|Irregular| |UNIV LISBOA +1588|Arquivos Do Museu Nacional| |0365-4508|Quarterly| |MUSEU NACIONAL UNIV FEDERAL RIO DE JANEIRO +1589|Ars Combinatoria|Mathematics|0381-7032|Quarterly| |CHARLES BABBAGE RES CTR +1590|Art Bulletin|Art; Kunstwetenschappen|0004-3079|Quarterly| |COLLEGE ART ASSOC +1591|Art Criticism| |0195-4148|Semiannual| |SUNY-STATE UNIV NY STONY BROOK +1592|Art History|Art|0141-6790|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1593|Art in America| |0004-3214|Irregular| |BRANT PUBL +1594|Art Institute of Chicago Museum Studies|Art; Kunstmusea|0069-3235|Semiannual| |ART INST CHICAGO +1595|Art Journal|Art|0004-3249|Quarterly| |COLLEGE ART ASSOC +1596|Arte Individuo Y Sociedad| |1988-2408|Annual| |UNIV COMPLUTENSE MADRID +1597|Artenschutzreport| |0940-8215|Semiannual| |ARTENSCHUTZREPORT +1598|Arteriosclerosis Thrombosis and Vascular Biology|Clinical Medicine / Arteriosclerosis; Thrombosis; Blood-vessels; Artériosclérose; Thrombose; Sang; Vascular Diseases|1079-5642|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +1599|Artforum International| |1086-7058|Monthly| |ARTFORUM +1600|Arthritis & Rheumatism-Arthritis Care & Research|Clinical Medicine / Arthritis; Rheumatism; Rheumatic Diseases; Rhumatisme; Arthrite; Reumatologie; Artritis / Arthritis; Rheumatism; Rheumatic Diseases; Rhumatisme; Arthrite; Reumatologie; Artritis|0004-3591|Monthly| |WILEY-LISS +1601|Arthritis and Rheumatism|Clinical Medicine|0004-3591|Monthly| |WILEY-LISS +1602|Arthritis Research & Therapy|Clinical Medicine / Arthritis|1478-6362|Bimonthly| |BIOMED CENTRAL LTD +1603|Arthropod Structure & Development|Plant & Animal Science / Insects; Arthropoda; Arthropods|1467-8039|Bimonthly| |ELSEVIER SCI LTD +1604|Arthropod Systematics & Phylogeny|Plant & Animal Science|1863-7221|Semiannual| |STAATLICHE NATURHISTORISCHE SAMMLUNGEN DRESDEN +1605|Arthropod-Plant Interactions|Plant & Animal Science /|1872-8855|Quarterly| |SPRINGER +1606|Arthropoda| |0943-7274|Quarterly| |INGO FRITZSCHE +1607|Arthropoda Selecta| |0136-006X|Quarterly| |KMK SCIENTIFIC PRESS LTD +1608|Arthropods of Canadian Forests| | | | |CANADIAN FOREST SERVICE +1609|Arthropods of Florida and Neighboring Land Areas| |0066-8036|Irregular| |FLORIDA DEPT AGRICULTURE & CONSUMER SERVICES +1610|Arthroscopy-The Journal of Arthroscopic and Related Surgery|Clinical Medicine / Arthroscopy; Joints; Knee Joint / Arthroscopy; Joints; Knee Joint|0749-8063|Monthly| |W B SAUNDERS CO-ELSEVIER INC +1611|Arthuriana| |1078-6279|Quarterly| |SCRIPTORIUM PRESS +1612|Arti Musices| |0587-5455|Semiannual| |CROATIAN MUSICOLOGICAL SOC +1613|Artibus Asiae|Art, Asian|0004-3648|Semiannual| |ARTIBUS ASIAE +1614|Artibus et Historiae|Arts; Kunst; Beeldende kunsten|0391-9064|Semiannual| |IRSA PUBLISHING HOUSE +1615|Articulata| |0171-4090|Semiannual| |DEUTSCHE GESELLSCHAFT ORTHOPTEROLOGIE +1616|Artificial Cells Blood Substitutes and Biotechnology|Artificial cells; Immobilized cells; Immobilized ligands (Biochemistry); Blood substitutes; Biotechnology; Biocompatible Materials; Biological Products; Blood Substitutes|1073-1199|Bimonthly| |TAYLOR & FRANCIS INC +1617|Artificial Intelligence|Engineering / Artificial intelligence; Intelligence artificielle; Automation; Computer-Assisted Instruction|0004-3702|Monthly| |ELSEVIER SCIENCE BV +1618|Artificial Intelligence in Medicine|Clinical Medicine / Artificial intelligence; Artificial Intelligence; Medicine|0933-3657|Monthly| |ELSEVIER SCIENCE BV +1619|Artificial Intelligence Review|Engineering / Artificial intelligence|0269-2821|Bimonthly| |SPRINGER +1620|Artificial Life|Computer Science / Biological systems; Artificial Intelligence; Biogenesis; Models, Biological|1064-5462|Quarterly| |M I T PRESS +1621|Artificial Organs|Clinical Medicine / Artificial organs; Artificial Organs; Organes artificiels|0160-564X|Monthly| |WILEY-BLACKWELL PUBLISHING +1622|Artnews| |0004-3273|Monthly| |ARTNEWS ASSOC +1623|Arts in Psychotherapy|Psychiatry/Psychology / Art therapy; Art Therapy; Dance Therapy; Music Therapy; Creatieve therapie; Art-thérapie|0197-4556|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +1624|Arts of Asia| |0004-4083|Bimonthly| |ARTS ASIA PUBLICATIONS LTD +1625|Arvicola| |0758-5721|Semiannual| |SOC FRANCAISE ETUDE PROTECTION MAMMIFERES +1626|Arxius de Les Seccions de Ciencies| |1132-9319|Irregular| |INST ESTUDIS CATALANS +1627|Arxius de Miscellania Zoologica| |1698-0476| | |MUSEU DE CIENCIES NATURALS-ZOOLOGIA +1628|Arzneimittel-Forschung-Drug Research|Pharmacology & Toxicology|0004-4172|Monthly| |ECV-EDITIO CANTOR VERLAG MEDIZIN NATURWISSENSCHAFTEN +1629|ASAIO Journal|Clinical Medicine / Artificial organs; Artificial Organs|1058-2916|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +1630|Asclepio-Revista de Historia de la Medicina Y de la Ciencia| |0210-4466|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +1631|Ashrae Journal|Engineering|0001-2491|Monthly| |AMER SOC HEATING REFRIGERATING AIR-CONDITIONING ENG +1632|Asia Europe Journal|Social Sciences, general /|1610-2932|Quarterly| |SPRINGER HEIDELBERG +1633|Asia Life Sciences|Biology & Biochemistry|0117-3375|Semiannual| |ASIA LIFE SCIENCES +1634|Asia Pacific Education Review|Social Sciences, general /|1598-1037|Tri-annual| |SPRINGER +1635|Asia Pacific Journal of Anthropology|Social Sciences, general / Anthropology; Ethnology; Culturele antropologie|1444-2213|Quarterly| |ROUTLEDGE JOURNALS +1636|Asia Pacific Journal of Clinical Nutrition|Clinical Medicine / Nutrition; Diet; Nutrition disorders; Nutrition Disorders|0964-7058|Quarterly| |H E C PRESS +1637|Asia Pacific Journal of Education|Social Sciences, general / Education|0218-8791|Tri-annual| |ROUTLEDGE JOURNALS +1638|Asia Pacific Journal of Human Resources|Social Sciences, general / Personnel management|1038-4111|Tri-annual| |SAGE PUBLICATIONS INC +1639|Asia Pacific Journal of Management|Economics & Business / Industrial management|0217-4561|Quarterly| |SPRINGER +1640|Asia Pacific Journal of Social Work and Development|Social Sciences, general|0218-5385|Semiannual| |MARSHALL CAVENDISH ACADEMIC +1641|Asia Pacific Law Review|Social Sciences, general / Law|1019-2557|Semiannual| |LEXISNEXIS +1642|Asia Pacific Viewpoint|Social Sciences, general /|1360-7456|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1643|Asia-Pacific Education Researcher|Social Sciences, general /|0119-5646|Semiannual| |DE LA SALLE UNIV-MANILA +1644|Asia-Pacific Journal of Accounting & Economics|Economics & Business|1608-1625|Tri-annual| |CITY UNIV HONG KONG +1645|Asia-Pacific Journal of Atmospheric Sciences|Geosciences /|1976-7633|Quarterly| |SPRINGER +1646|Asia-Pacific Journal of Chemical Engineering|Chemistry / Chemical engineering|1932-2143|Bimonthly| |JOHN WILEY & SONS INC +1647|Asia-Pacific Journal of Clinical Oncology|Clinical Medicine / Oncology; Tumors; Neoplasms|1743-7555|Quarterly| |WILEY-BLACKWELL PUBLISHING +1648|Asia-Pacific Journal of Financial Studies|Economics & Business /|2041-9945|Bimonthly| |KOREAN SECURITIES ASSOC +1649|Asia-Pacific Journal of Operational Research|Engineering / Management; Operations research / Management; Operations research|0217-5959|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +1650|Asia-Pacific Journal of Public Health|Social Sciences, general / Public health; Public Health|1010-5395|Quarterly| |SAGE PUBLICATIONS INC +1651|Asia-Pacific Journal of Teacher Education|Social Sciences, general /|1359-866X|Tri-annual| |ROUTLEDGE JOURNALS +1652|Asia-Pacific Psychiatry|Psychiatry/Psychology /|1758-5864|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1653|Asian and Pacific Migration Journal|Social Sciences, general|0117-1968|Quarterly| |SCALABRINI MIGRATION CTR +1654|Asian Biomedicine|Clinical Medicine|1905-7415|Bimonthly| |CHULALONGKORN UNIV +1655|Asian Business & Management|Economics & Business / Management|1472-4782|Quarterly| |PALGRAVE MACMILLAN LTD +1656|Asian Case Research Journal|Economics & Business / Business enterprises; Industries|0218-9275|Semiannual| |WORLD SCIENTIFIC PUBL CO PTE LTD +1657|Asian Economic Journal|Economics & Business /|1351-3958|Quarterly| |WILEY-BLACKWELL PUBLISHING +1658|Asian Economic Papers|Economics & Business / Finance|1535-3516|Tri-annual| |MIT PRESS +1659|Asian Economic Policy Review|Economics & Business / Finance|1832-8105|Semiannual| |WILEY-BLACKWELL PUBLISHING +1660|Asian Ethnology| |1882-6865|Semiannual| |NANZAN UNIV +1661|Asian Fisheries Science| |0116-6514|Quarterly| |ASIAN FISH SOC +1662|Asian Journal of Andrology|Clinical Medicine / Andrology; Urology; Urologic Diseases|1008-682X|Bimonthly| |NATURE PUBLISHING GROUP +1663|Asian Journal of Animal and Veterinary Advances|Plant & Animal Science /|1683-9919|Bimonthly| |ACADEMIC JOURNALS INC +1664|Asian Journal of Animal Sciences| |1819-1878|Quarterly| |ACADEMIC JOURNALS INC +1665|Asian Journal of Biochemistry| |1815-9923|Irregular| |ACADEMIC JOURNALS INC +1666|Asian Journal of Biological Sciences| |1996-3351|Quarterly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +1667|Asian Journal of Biotechnology| |1996-0700|Semiannual| |KNOWLEDGIA REV +1668|Asian Journal of Cell Biology| |1814-0068|Semiannual| |ACADEMIC JOURNALS INC +1669|Asian Journal of Chemistry|Chemistry|0970-7077|Bimonthly| |ASIAN JOURNAL OF CHEMISTRY +1670|Asian Journal of Communication|Social Sciences, general / Communication; Mass media; Massacommunicatie|0129-2986|Quarterly| |ROUTLEDGE JOURNALS +1671|Asian Journal of Control|Engineering /|1561-8625|Quarterly| |CHINESE AUTOMATIC CONTROL SOC +1672|Asian Journal of Ecotoxicology| |1673-5897|Quarterly| |EDITORIAL BOARD ASIAN JOURNAL ECOTOXICOLOGY +1673|Asian Journal of Experimental Biological Sciences| |0975-5845|Quarterly| |SOC APPL SCI +1674|Asian Journal of Mathematics|Mathematics|1093-6106|Quarterly| |INT PRESS BOSTON +1675|Asian Journal of Plant Pathology| |1819-1541|Annual| |ACADEMIC JOURNALS INC +1676|Asian Journal of Plant Sciences| |1682-3974|Bimonthly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +1677|Asian Journal Of Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social|1367-2223|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1678|Asian Journal of Social Science|Social Sciences, general / Social sciences; Sciences sociales|1568-4849|Bimonthly| |BRILL ACADEMIC PUBLISHERS +1679|Asian Journal of Surgery|Clinical Medicine / Surgery; Operations, Surgical; Surgical Procedures, Operative; Chirurgie (geneeskunde)|1015-9584|Quarterly| |ELSEVIER SINGAPORE PTE LTD +1680|Asian Journal of Technology Innovation|Economics & Business|1976-1597|Semiannual| |KOREAN SOC INNOVATION MANAGEMENT & ECON-KOSIME +1681|Asian Journal of Womens Studies|Social Sciences, general|1225-9276|Quarterly| |EWHA WOMANS UNIV PRESS +1682|Asian Journal of Wto & International Health Law and Policy|Social Sciences, general|1819-5164|Semiannual| |NATL TAIWAN UNIV PRESS +1683|Asian Marine Biology| |1011-4041|Annual| |HONG KONG UNIV PRESS +1684|Asian Music|Music|0044-9202|Semiannual| |SOC ASIAN MUSIC DEPT ASIAN STUDIES +1685|Asian Myrmecology| | |Irregular| |UNIV ULM +1686|Asian Nursing Research|Social Sciences, general /|1976-1317|Quarterly| |ELSEVIER SCIENCE INC +1687|Asian Pacific Journal of Allergy and Immunology|Clinical Medicine|0125-877X|Semiannual| |ALLERGY IMMUNOL SOC THAILAND +1688|Asian Pacific Journal of Cancer Prevention|Clinical Medicine|1513-7368|Quarterly| |ASIAN PACIFIC ORGANIZATION CANCER PREVENTION +1689|Asian Pacific Journal of Tropical Medicine| |1995-7645|Monthly| |ASIAN PACIFIC J TROPICAL MED +1690|Asian Perspective|Social Sciences, general|0258-9184|Quarterly| |KYUNGNAM UNIV +1691|Asian Perspectives| |0066-8435|Semiannual| |UNIV HAWAII PRESS +1692|Asian Philosophy|Philosophy, Asian|0955-2367|Tri-annual| |ROUTLEDGE JOURNALS +1693|Asian Survey|Social Sciences, general /|0004-4687|Monthly| |UNIV CALIFORNIA PRESS +1694|Asian Theatre Journal|Theater; Arts du spectacle; Théâtre (Littérature); Théâtre (Spectacle)|0742-5457|Semiannual| |UNIV HAWAII PRESS +1695|Asian Women|Social Sciences, general|1225-925X|Quarterly| |SOOKMYUNG WOMENS UNIV +1696|Asian-Australasian Journal of Animal Sciences|Plant & Animal Science|1011-2367|Monthly| |ASIAN-AUSTRALASIAN ASSOC ANIMAL PRODUCTION SOC +1697|Asian-Pacific Economic Literature|Economics & Business / Sociaal-economische situatie|0818-9935|Semiannual| |WILEY-BLACKWELL PUBLISHING +1698|Asiatic Herpetological Research| |1051-3825|Irregular| |AHR +1699|Aslib Proceedings|Social Sciences, general / Libraries; Library Associations; BIBLIOTECAS / Libraries; Library Associations; BIBLIOTECAS|0001-253X|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +1700|ASN NEURO|Neuroscience & Behavior /|1759-0914|Bimonthly| |PORTLAND PRESS LTD +1701|Asociacion Mexicana de Mastozoologia Publicaciones Especiales| | |Irregular| |ASOC MEX MASTOZOO-AMMAC +1702|Aspects of Applied Biology| |0265-1491|Irregular| |ASSOC APPLIED BIOLOGISTS +1703|Assay and Drug Development Technologies|Pharmacology & Toxicology / Drug development; Drugs; Biological assay; Drug Evaluation, Preclinical; Biological Assay; Technology, Pharmaceutical|1540-658X|Bimonthly| |MARY ANN LIEBERT INC +1704|Assembly Automation|Engineering / Assembly-line methods|0144-5154|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +1705|Assessment|Psychiatry/Psychology / Psychological tests; Psychodiagnostics; Mental Disorders; Personality Assessment; Psychological Tests|1073-1911|Quarterly| |SAGE PUBLICATIONS INC +1706|Assessment & Evaluation in Higher Education|Social Sciences, general / Education, Higher; Enseignement supérieur; Onderwijsevaluatie; Tests; Hoger onderwijs|0260-2938|Bimonthly| |ROUTLEDGE JOURNALS +1707|Assistenza Infermieristica E Ricerca|Social Sciences, general|1592-5986|Quarterly| |PENSIERO SCIENTIFICO EDITOR +1708|Assistive Technology|Social Sciences, general /|1040-0435|Semiannual| |R E S N A PRESS +1709|Assiut University Bulletin for Environmental Researches| |1110-6107|Semiannual| |ASSIUT UNIV +1710|Assiut Veterinary Medical Journal| |1012-5973|Irregular| |ASSIUT UNIV +1711|Association for Tropical Lepidoptera Notes| | |Irregular| |ASSOC TROPICAL LEPIDOPTERA +1712|Association Geologique Auboise Bulletin Annuel| |0249-0102|Annual| |ASSOC GEOL AUBOISE +1713|Association of Zoos and Aquariums Regional Meetings Proceedings| | |Annual| |AMER ZOO AQUARIUM ASSOC +1714|Association Review| | | | |ALEXANDER GRAHAM BELL ASSOC FOR THE DEAF +1715|Asta-Advances in Statistical Analysis|Mathematics / Statistics; Economics|1863-8171|Quarterly| |SPRINGER +1716|Astaciculteur de France| |1244-457X|Quarterly| |ASSOC ASTACICULT FRANCE +1717|Asterisque|Mathematics|0303-1179|Bimonthly| |SOC MATHEMATIQUE FRANCE +1718|Astin Bulletin|Social Sciences, general /|0515-0361|Semiannual| |PEETERS +1719|Astm Standardization News|Engineering|1094-4656|Monthly| |AMER SOC TESTING MATERIALS +1720|Astrobiology|Space Science / Exobiology|1531-1074|Bimonthly| |MARY ANN LIEBERT INC +1721|Astronomical Journal|Space Science / Astronomy; Sterrenkunde|0004-6256|Monthly| |IOP PUBLISHING LTD +1722|Astronomische Nachrichten|Space Science / Astronomy / Astronomy / Astronomy|0004-6337|Bimonthly| |WILEY-V C H VERLAG GMBH +1723|Astronomy & Astrophysics|Space Science / Astronomy; Astrophysics|0004-6361|Weekly| |EDP SCIENCES S A +1724|Astronomy & Geophysics|Space Science / Astronomy; Geophysics; Sterrenkunde; Geofysica; Astronomie; Géophysique|1366-8781|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1725|Astronomy and Astrophysics Review|Space Science / Astronomy; Astrophysics / Astronomy; Astrophysics|0935-4956|Quarterly| |SPRINGER +1726|Astronomy Letters-A Journal of Astronomy and Space Astrophysics|Space Science / Astronomy|1063-7737|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +1727|Astronomy Reports|Space Science / Astronomy|1063-7729|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +1728|Astroparticle Physics|Space Science / Nuclear astrophysics; Particles (Nuclear physics); Cosmology|0927-6505|Bimonthly| |ELSEVIER SCIENCE BV +1729|Astrophysical Bulletin|Space Science /|1990-3413|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +1730|Astrophysical Journal|Space Science / Astrophysics; Spectrum analysis; Astrofysica; Astrophysique; Analyse spectrale|0004-637X|Biweekly| |IOP PUBLISHING LTD +1731|Astrophysical Journal Letters|Space Science|2041-8205|Biweekly| |IOP PUBLISHING LTD +1732|Astrophysical Journal Supplement Series|Space Science / Astrophysics; Astrofysica; Astrophysique; Analyse spectrale|0067-0049|Monthly| |IOP PUBLISHING LTD +1733|Astrophysics|Space Science / Astrophysics; Astrophysique; Astrofysica|0571-7256|Quarterly| |SPRINGER/PLENUM PUBLISHERS +1734|Astrophysics and Space Science|Space Science / Astrophysics; Cosmic electrodynamics|0004-640X|Monthly| |SPRINGER +1735|Asymptotic Analysis|Mathematics|0921-7134|Monthly| |IOS PRESS +1736|At-Automatisierungstechnik|Engineering / Automatic control|0178-2312|Monthly| |OLDENBOURG VERLAG +1737|Atalanta-Marktleuthen| |0171-0079|Semiannual| |DEUTSCHE FORSCHUNGSZENTRALE FUER SCHMETTERLINGSWANDERUNGEN-DFZS +1738|Atemwegs-Und Lungenkrankheiten| |0341-3055|Monthly| |DUSTRI-VERLAG DR KARL FEISTLE +1739|Atencion Farmaceutica|Pharmacology & Toxicology|1139-7357|Bimonthly| |RASGO EDITORIAL +1740|Atención Primaria|Clinical Medicine / Community Medicine; Family Practice; Primary Health Care|0212-6567|Monthly| |EDICIONES DOYMA S A +1741|Atene E Roma-Nuova Serie Seconda| |0004-6493|Semiannual| |CASA EDITRICE F LE MONNIER +1742|Atenea| |0718-0462|Semiannual| |UNIV CONCEPCION +1743|Athenaeum-Studi Periodici Di Letteratura E Storia Dell Antichita| |0004-6574|Semiannual| |NEW PRESS SNC +1744|Atherosclerosis|Clinical Medicine / Arteriosclerosis; Artériosclérose; Médecine; Appareil cardiovasculaire|0021-9150|Monthly| |ELSEVIER IRELAND LTD +1745|Atherosclerosis Supplements|Clinical Medicine / Atherosclerosis; Artériosclérose; Médecine; Appareil cardiovasculaire; Arteriosclerosis|1567-5688|Bimonthly| |ELSEVIER IRELAND LTD +1746|Athletic Therapy Today|Clinical Medicine|1078-7895|Bimonthly| |HUMAN KINETICS PUBL INC +1747|Atla-Alternatives to Laboratory Animals|Plant & Animal Science|0261-1929|Bimonthly| |FRAME +1748|Atlantic Geology|Geosciences /|0843-5561|Tri-annual| |ATLANTIC GEOSCIENCE SOC +1749|Atlântica| |0102-1656|Annual| |FUNDACAO UNIV RIO GRANDE-FURG +1750|Atmosfera|Geosciences|0187-6236|Quarterly| |CENTRO CIENCIAS ATMOSFERA UNAM +1751|Atmosphere-Ocean|Geosciences / Atmosphere; Meteorology; Oceanography; Métérologie|0705-5900|Quarterly| |CMOS-SCMO +1752|Atmospheric Chemistry and Physics|Geosciences /|1680-7316|Semimonthly| |COPERNICUS GESELLSCHAFT MBH +1753|Atmospheric Environment|Geosciences / Air; Atmospheric physics; Air Pollution|1352-2310|Weekly| |PERGAMON-ELSEVIER SCIENCE LTD +1754|Atmospheric Measurement Techniques| |1867-1381|Irregular| |COPERNICUS GESELLSCHAFT MBH +1755|Atmospheric Research|Geosciences / Meteorology; Atmosphere; Météorologie; Atmosphère|0169-8095|Semimonthly| |ELSEVIER SCIENCE INC +1756|Atmospheric Science Letters|Geosciences / Atmospheric physics|1530-261X|Quarterly| |WILEY-V C H VERLAG GMBH +1757|Atoll Research Bulletin| |0077-5630|Irregular| |NATL MUSEUM NATURAL HISTORY +1758|Atom Indonesia| |0126-1568|Semiannual| |NATL ATOMIC ENERGY AGENCY INDONESIA +1759|Atomic Data and Nuclear Data Tables|Physics / Atoms; Nuclear physics; Atomes; Physique nucléaire|0092-640X|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +1760|Atomic Energy|Engineering / Nuclear energy / Nuclear energy|1063-4258|Monthly| |SPRINGER +1761|Atomic Spectroscopy|Engineering|0195-5373|Bimonthly| |PERKIN-ELMER CORP +1762|Atomization and Sprays|Engineering /|1044-5110|Bimonthly| |BEGELL HOUSE INC +1763|Atropos| |1478-8128|Tri-annual| |ATROPOS +1764|Attachment & Human Development|Psychiatry/Psychology / Attachment behavior; Developmental psychology; Human Development; Family Relations; Object Attachment; Parent-Child Relations; Gehechtheid; Ontwikkelingspsychologie; Attachement; Psychologie du développement; Émotions; Apprentissa|1461-6734|Quarterly| |ROUTLEDGE JOURNALS +1765|Attention Perception & Psychophysics|Psychiatry/Psychology /|1943-3921|Bimonthly| |PSYCHONOMIC SOC INC +1766|Atti Del Congresso Nazionale Italiano Di Entomologia| |0374-5562|Irregular| |ACCAD NAZ ITAL ENTOMOL +1767|Atti Del Museo Civico Di Storia Naturale Di Trieste| |0365-1576|Irregular| |MUSEO CIVICO STORIA NATURALE-TRIESTE +1768|Atti Del Museo Di Storia Naturale Della Maremma| |1126-0882|Annual| |MUSEO STORIA NATURALE MAREMMA +1769|Atti Della Accademia Delle Scienze Di Torino I Classe Di Scienze Fisiche Matematiche E Naturali| |0001-4419|Tri-annual| |ACCAD SCI TORINO +1770|Atti Della Accademia Nazionale Italiana Di Entomologia Rendiconti| |0065-0757|Annual| |ACCAD NAZ ITAL ENTOMOL +1771|Atti Della Accademia Roveretana Degli Agiati Serie 8 B Classe Di Scienze Matematiche Fisiche E Naturali| |1124-0350|Annual| |ACCAD ROVERTANA AGIATA +1772|Atti Della Societa Dei Naturalisti E Matematici Di Modena| |0365-7027|Annual| |SOC DEI NATURALISTI E MATEMATICI DI MODENA +1773|Atti Della Societa Italiana Di Scienze Naturali E Del Museo Civico Di Storia Naturale Di Milano| |0037-8844|Semiannual| |SOC ITALIANA SCIENZE NATURALI +1774|Atti Della Societa Toscana Di Scienze Naturali Residente in Pisa Memorie Serie A| |0365-7655|Annual| |SOC TOSCANA SCIENZE NATURALI +1775|Atti Della Societa Toscana Di Scienze Naturali Residente in Pisa Memorie Serie B| |0365-7450|Annual| |SOC TOSCANA SCIENZE NATURALI +1776|Atti E Memorie Della Commissione Grotte Eugenio Boegan| |0391-1764|Annual| |COMMISSIONE GROTTE E BOEGAN +1777|Atti Ticinensi Di Scienze Della Terra| |0394-0691|Annual| |UNIV DEGLI STUDI PAVIA +1778|Atualidades Ornitologicas| |0104-2386|Bimonthly| |ATUAL ORNITOL +1779|Atw-International Journal for Nuclear Power|Engineering|1431-5254|Monthly| |INFORUM VERLAGS-VERWALTUNGSGESELLSCHAFT MBH +1780|Atzavara| |0212-8993|Irregular| |MUSEU MATARO +1781|Audiology and Neuro-Otology|Clinical Medicine / Audiology; Vestibular apparatus; Auditory pathways; Hearing; Hearing Disorders; Psychoacoustics; Psychophysiology; Signal Detection (Psychology)|1420-3030|Bimonthly| |KARGER +1782|Auditing-A Journal of Practice & Theory|Economics & Business / Auditing|0278-0380|Semiannual| |AMER ACCOUNTING ASSOC +1783|Audubon| |0097-7136|Bimonthly| |NATL AUDUBON SOC +1784|Aufschluss| |0004-7856|Bimonthly| |VEREINIGUNG FREUNDE MINERALOGIE GEOLOGIE E V +1785|Augmentative and Alternative Communication|Social Sciences, general / People with disabilities; Communication devices for people with disabilities; Nonverbal Communication; Speech Disorders; Spraakstoornissen; Taalstoornissen; Communicatie; Therapieën|0743-4618|Quarterly| |TAYLOR & FRANCIS LTD +1786|Auk|Plant & Animal Science / Birds; Ornithology; Ornithologie; Oiseaux|0004-8038|Quarterly| |AMER ORNITHOLOGISTS UNION +1787|Aumla-Journal of the Australasian Universities Language and Literature Association| |0001-2793|Semiannual| |AUMLA +1788|Auris Nasus Larynx|Clinical Medicine / Otolaryngology|0385-8146|Quarterly| |ELSEVIER SCI LTD +1789|Austin Geological Society Bulletin| | |Annual| |AUSTIN GEOLOGICAL SOC +1790|Austral Ecology|Environment/Ecology / Ecology; Ecologie|1442-9985|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1791|Australasian Drama Studies| |0810-4123|Semiannual| |LATROBE UNIV +1792|Australasian Journal of Dermatology|Clinical Medicine / Dermatology|0004-8380|Quarterly| |WILEY-BLACKWELL PUBLISHING +1793|Australasian Journal of Ecotoxicology| |1323-3475|Tri-annual| |AUSTRALASIAN SOC ECOTOXICOLOGY +1794|Australasian Journal of Educational Technology|Social Sciences, general|1449-3098|Quarterly| |ASCILITE +1795|Australasian Journal of Environmental Management|Environment/Ecology|1448-6563|Quarterly| |EIANZ-ENVIRONMENT INST AUSTRALIA & NEW ZEALAND +1796|Australasian Journal of Herpetology| |1836-5698|Irregular| |KOTABI PTY LTD +1797|Australasian Journal of Philosophy|Philosophy; Psychology; Philosophie; Psychologie; Filosofie|0004-8402|Quarterly| |ROUTLEDGE JOURNALS +1798|Australasian Journal on Ageing|Social Sciences, general / Geriatrics; Gerontology; Aging|1440-6381|Quarterly| |WILEY-BLACKWELL PUBLISHING +1799|Australasian Mycologist| |1441-5526|Tri-annual| |AUSTRALASIAN MYCOLOGICAL SOC +1800|Australasian Physical & Engineering Sciences in Medicine|Biology & Biochemistry /|0158-9938|Quarterly| |SPRINGER +1801|Australasian Plant Pathology|Plant & Animal Science / Plant diseases|0815-3191|Bimonthly| |CSIRO PUBLISHING +1802|Australasian Psychiatry|Psychiatry/Psychology / Psychiatry; Mental Disorders; Mental Health Services|1039-8562|Bimonthly| |INFORMA HEALTHCARE +1803|Australasian Seabird Bulletin| | |Semiannual| |AUSTRALASIAN SEABIRD GROUP +1804|Australasian Shell News| |1324-1753|Quarterly| |MALACOLOGICAL SOC AUSTRALASIA LTD +1805|Australian & New Zealand Journal of Obstetrics & Gynaecology|Clinical Medicine / Gynecology; Obstetrics|0004-8666|Quarterly| |WILEY-BLACKWELL PUBLISHING +1806|Australian & New Zealand Journal of Statistics|Mathematics / Statistics; Statistique / Statistics; Statistique|1369-1473|Quarterly| |WILEY-BLACKWELL PUBLISHING +1807|Australian Aboriginal Studies|Social Sciences, general|0729-4352|Semiannual| |ABORIGINAL STUDIES PRESS +1808|Australian Academic & Research Libraries|Social Sciences, general|0004-8623|Quarterly| |AUSTRALIAN LIBRARY & INFORMATION ASSOC LTD +1809|Australian Accounting Review|Economics & Business / Accounting|1035-6908|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1810|Australian and New Zealand Journal of Audiology|Audiology; Hearing disorders; Hearing; Hearing Disorders|1443-4873|Semiannual| |AUSTRALIAN ACAD PRESS +1811|Australian and New Zealand Journal of Criminology|Social Sciences, general / Criminology|0004-8658|Tri-annual| |AUSTRALIAN ACAD PRESS +1812|Australian and New Zealand Journal of Family Therapy|Psychiatry/Psychology / Family counseling; Family; Family psychotherapy; Family Therapy|0814-723X|Quarterly| |AUSTRALIAN ACAD PRESS +1813|Australian and New Zealand Journal of Psychiatry|Psychiatry/Psychology / Psychiatry|0004-8674|Monthly| |INFORMA HEALTHCARE +1814|Australian and New Zealand Journal of Public Health|Social Sciences, general / Public health; Health Services; Public Health|1326-0200|Bimonthly| |PUBLIC HEALTH ASSOC AUSTRALIA INC +1815|Australian Archaeology| |0312-2417|Semiannual| |AUSTRALIAN ARCHAEOLOGICAL ASSOC INC +1816|Australian Aviculture| |1030-5440|Monthly| |AVICULTURAL SOC AUSTRALIA INC +1817|Australian Biodiversity Record| | |Irregular| |AUSTRALIAN BIODIVERSITY RECORD +1818|Australian Dental Journal|Clinical Medicine / Dentistry; Dentisterie; Tandheelkunde|0045-0421|Quarterly| |WILEY-BLACKWELL PUBLISHING +1819|Australian Economic History Review|Economics & Business / Economic history; Economische geschiedenis|0004-8992|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1820|Australian Economic Papers|Economics & Business / Economics; Économie politique|0004-900X|Quarterly| |AUSTRALIAN ECONOMIC PAPERS +1821|Australian Economic Review|Economics & Business / Economics; Économie politique|0004-9018|Quarterly| |WILEY-BLACKWELL PUBLISHING +1822|Australian Educational Researcher|Social Sciences, general|0311-6999|Tri-annual| |AUSTRALIAN ASSOC RESEARCH EDUCATION +1823|Australian Endodontic Journal|Clinical Medicine /|1329-1947|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1824|Australian Entomologist| |1320-6133|Quarterly| |ENTOMOLOGICAL SOC QUEENSLAND +1825|Australian Family Physician|Clinical Medicine|0300-8495|Monthly| |ROYAL AUSTRALIAN COLLEGE GENERAL PRACTITIONERS +1826|Australian Feminist Studies|Social Sciences, general / Feminism; Women's studies|0816-4649|Semiannual| |ROUTLEDGE JOURNALS +1827|Australian Field Ornithology| |1448-0107|Irregular| |BIRD OBSERVERS CLUB AUSTRALIA +1828|Australian Forestry|Plant & Animal Science|0004-9158|Quarterly| |INST FORESTERS AUSTRALIA +1829|Australian Geographer|Social Sciences, general / Geography|0004-9182|Tri-annual| |ROUTLEDGE JOURNALS +1830|Australian Health Review|Clinical Medicine /|0156-5788|Quarterly| |AUSTRALASIAN MED PUBL CO LTD +1831|Australian Historical Studies|History|1031-461X|Semiannual| |ROUTLEDGE JOURNALS +1832|Australian Institute of Marine Science Monograph Series| |1037-3047|Irregular| |AUSTRALIAN INST MARINE SCIENCE +1833|Australian Journal of Adult Learning|Social Sciences, general|1443-1394|Tri-annual| |ADULT LEARNING AUSTRALIA INC +1834|Australian Journal of Advanced Nursing|Social Sciences, general|0813-0531|Quarterly| |AUSTRALIAN NURSING FEDERATION +1835|Australian Journal of Agricultural and Resource Economics|Economics & Business / Agriculture; Natural resources / Agriculture; Natural resources|1364-985X|Quarterly| |WILEY-BLACKWELL PUBLISHING +1836|Australian Journal of Anthropology|Social Sciences, general|1035-8811|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1837|Australian Journal of Basic and Applied Sciences| |1991-8178|Quarterly| |INSINET PUBL +1838|Australian Journal of Botany|Plant & Animal Science / Botany; Plants; Plantkunde; Botanique|0067-1924|Bimonthly| |CSIRO PUBLISHING +1839|Australian Journal of Chemistry|Chemistry / Chemistry|0004-9425|Monthly| |CSIRO PUBLISHING +1840|Australian Journal of Crop Science|Agricultural Sciences|1835-2693|Bimonthly| |SOUTHERN CROSS PUBL +1841|Australian Journal of Dairy Technology|Agricultural Sciences|0004-9433|Tri-annual| |DAIRY INDUSTRY ASSOC AUSTRALIA +1842|Australian Journal of Early Childhood|Social Sciences, general|0312-5033|Quarterly| |EARLY CHILDHOOD AUSTRALIA INC +1843|Australian Journal of Earth Sciences|Geosciences / Earth sciences; Geology|0812-0099|Bimonthly| |TAYLOR & FRANCIS LTD +1844|Australian Journal of Education|Social Sciences, general|0004-9441|Tri-annual| |AUSTRALIAN COUNCIL EDUCATIONAL RES LIMITED +1845|Australian Journal of Entomology|Plant & Animal Science / Entomology|1326-6756|Quarterly| |WILEY-BLACKWELL PUBLISHING +1846|Australian Journal of Forensic Sciences|Clinical Medicine / Law; Forensic Medicine|0045-0618|Semiannual| |TAYLOR & FRANCIS LTD +1847|Australian Journal of French Studies| |0004-9468|Tri-annual| |MONASH UNIV +1848|Australian Journal of Grape and Wine Research|Agricultural Sciences / Viticulture; Wine and wine making|1322-7130|Tri-annual| |WILEY-BLACKWELL PUBLISHING +1849|Australian Journal of Guidance and Counselling|Social Sciences, general /|1037-2911|Semiannual| |AUSTRALIAN ACAD PRESS +1850|Australian Journal Of International Affairs|Social Sciences, general /|1035-7718|Quarterly| |ROUTLEDGE JOURNALS +1851|Australian Journal of Linguistics|Social Sciences, general / Linguistics; Australian languages|0726-8602|Semiannual| |ROUTLEDGE JOURNALS +1852|Australian Journal of Management|Economics & Business /|0312-8962|Tri-annual| |SAGE PUBLICATIONS LTD +1853|Australian Journal of Medical Science| |1038-1643|Quarterly| |AUSTRALIAN INST MEDICAL SCIENTISTS-AIMS +1854|Australian Journal of Pharmacy|Pharmacology & Toxicology|0311-8002|Monthly| |AUSTRALIAN PHARMACEUTICAL PUBLISHING CO LTD +1855|Australian Journal of Political Science|Social Sciences, general / Political science; Politieke wetenschappen|1036-1146|Quarterly| |ROUTLEDGE JOURNALS +1856|Australian Journal of Politics and History|Social Sciences, general / Political science; Science politique|0004-9522|Quarterly| |WILEY-BLACKWELL PUBLISHING +1857|Australian Journal of Primary Health|Clinical Medicine /|1448-7527|Tri-annual| |AUSTRALIAN JOURNAL PRIMARY HEALTH +1858|Australian Journal of Psychology|Psychiatry/Psychology / Psychology|0004-9530|Tri-annual| |TAYLOR & FRANCIS LTD +1859|Australian Journal of Public Administration|Social Sciences, general / Public administration|0313-6647|Quarterly| |WILEY-BLACKWELL PUBLISHING +1860|Australian Journal of Rural Health|Clinical Medicine / Rural health; Rural Health|1038-5282|Bimonthly| |WILEY-BLACKWELL PUBLISHING +1861|Australian Journal of Social Issues|Social Sciences, general|0157-6321|Quarterly| |AUSTRALIAN COUNCIL SOCIAL SERVICE INC +1862|Australian Journal of Soil Research|Environment/Ecology / Soil science; Soils; Bodemkunde|0004-9573|Bimonthly| |CSIRO PUBLISHING +1863|Australian Journal of Zoology|Plant & Animal Science / Zoology; Dierkunde; Zoologie|0004-959X|Bimonthly| |CSIRO PUBLISHING +1864|Australian Library Journal|Social Sciences, general|0004-9670|Quarterly| |AUSTRALIAN LIBRARY & INFORMATION ASSOC LTD +1865|Australian Literary Studies| |0004-9697|Semiannual| |UNIV QUEENSLAND AUSTRALIAN LITERARY STUDIES +1866|Australian Mammalogy| |0310-0049|Semiannual| |AUSTRALIAN MAMMAL SOC INC +1867|Australian Meteorological and Oceanographic Journal|Geosciences|1836-716X|Quarterly| |AUSTRALIAN BUREAU METEOROLOGY +1868|Australian Occupational Therapy Journal|Social Sciences, general /|0045-0766|Quarterly| |WILEY-BLACKWELL PUBLISHING +1869|Australian Orthodontic Journal|Clinical Medicine|0587-3908|Semiannual| |AUSTRALIAN SOC ORTHODONTISTS INC +1870|Australian Prescriber|Pharmacology & Toxicology|0312-8008|Bimonthly| |NATIONAL PRESCRIBING SERVICE LTD +1871|Australian Psychologist|Psychiatry/Psychology / Psychology|0005-0067|Tri-annual| |AUSTRALIAN PSYCHOLOGICAL SOC +1872|Australian Social Work|Social Sciences, general / Social service; Social Work|1447-0748|Quarterly| |ROUTLEDGE JOURNALS +1873|Australian Systematic Botany|Plant & Animal Science / Plants; Paleobotany|1030-1887|Bimonthly| |CSIRO PUBLISHING +1874|Australian Veterinary Journal|Plant & Animal Science / Veterinary medicine; Veterinary Medicine; Diergeneeskunde; Médecine vétérinaire|0005-0423|Monthly| |WILEY-BLACKWELL PUBLISHING +1875|Australian Veterinary Practitioner|Plant & Animal Science|0310-138X|Quarterly| |AUSTRALIAN SMALL ANIMAL VETERINARY ASSOC +1876|Australian Zoologist| |0067-2238|Irregular| |ROYAL ZOOLOGICAL SOC NEW SOUTH WALES +1877|Austrian Journal of Earth Sciences|Geosciences|0251-7493|Annual| |OESTERREICHISCHE GEOLOGISCHE GESELLSCHAFT +1878|Austrian Journal of Forest Science|Plant & Animal Science|0379-5292|Quarterly| |OSTERREICHISCHER AGRARVERLAG +1879|Austrobaileya| |0155-4131|Annual| |QUEENSLAND HERBARIUM +1880|Aut Aut| |0005-0601|Quarterly| |NUOVA ITALIA EDITRICE +1881|Autism|Clinical Medicine / Autism; Autism in children; Autistic Disorder; Research; Autisme|1362-3613|Quarterly| |SAGE PUBLICATIONS LTD +1882|Autism Research|Clinical Medicine /|1939-3792|Bimonthly| |JOHN WILEY & SONS INC +1883|Autoimmunity|Immunology / Autoimmunity; Autoimmune diseases; Autoantibodies; Autoimmune Diseases; Auto-immuniteit|0891-6934|Bimonthly| |TAYLOR & FRANCIS LTD +1884|Autoimmunity Reviews|Immunology / Autoimmunity|1568-9972|Bimonthly| |ELSEVIER SCIENCE BV +1885|Automated Software Engineering|Computer Science / Software engineering; Expert systems (Computer science); Programmatuurtechniek|0928-8910|Quarterly| |SPRINGER +1886|Automatica|Engineering / Automation; Automatic control|0005-1098|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +1887|Automatika|Engineering|0005-1144|Quarterly| |KOREMA +1888|Automation and Remote Control|Engineering / Automatic control; Remote control|0005-1179|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +1889|Automation in Construction|Engineering / Construction industry; Architectural design; Buildings|0926-5805|Bimonthly| |ELSEVIER SCIENCE BV +1890|Autonomic & Autacoid Pharmacology|Autonomic drugs; Autonomic nervous system; Autonomic Nervous System; Autacoids; Autonomic Agents / Autonomic drugs; Autonomic nervous system; Autonomic Nervous System; Autacoids; Autonomic Agents / Autonomic drugs; Autonomic nervous system; Autonomic Ner|1474-8665|Quarterly| |WILEY-BLACKWELL PUBLISHING +1891|Autonomic Neuroscience-Basic & Clinical|Neuroscience & Behavior / Autonomic nervous system; Neurosciences; Système nerveux autonome; Autonomic Nervous System; Autonoom zenuwstelsel|1566-0702|Monthly| |ELSEVIER SCIENCE BV +1892|Autonomous Agents and Multi-Agent Systems|Social Sciences, general / Intelligent agents (Computer software); Autonomous robots; Electronic data processing; Agentia; Kunstmatige intelligentie; Agents intelligents (Logiciels); Traitement réparti; Robots autonomes|1387-2532|Bimonthly| |SPRINGER +1893|Autonomous Robots|Engineering / Autonomous robots; Robotics; Robotica|0929-5593|Bimonthly| |SPRINGER +1894|Autophagy|Biology & Biochemistry /|1554-8627|Monthly| |LANDES BIOSCIENCE +1895|Avances En Alimentacion Y Mejora Animal| |0005-1896|Bimonthly| |AVANCES EN ALIMENTACION Y MEJORA ANIMAL +1896|Avant Scene Opera| |0764-2873|Bimonthly| |AVANT-SCENE OPERA +1897|Aves| |0005-1993|Bimonthly| |SOC D ETUDES ORNITHOLOGIQUES A S B L +1898|Avian Biology Research|Plant & Animal Science /|1758-1559|Quarterly| |SCIENCE REVIEWS 2000 LTD +1899|Avian Conservation and Ecology| |1712-6568|Semiannual| |RESILIENCE ALLIANCE +1900|Avian Diseases|Plant & Animal Science / Poultry; Poultry Diseases; Volailles; Vogels; Dierenziekten; Diergeneeskunde|0005-2086|Quarterly| |AMER ASSOC AVIAN PATHOLOGISTS +1901|Avian Ecology and Behaviour| |1561-9958|Semiannual| |BIOLOGICAL STATION RYBACHY +1902|Avian Pathology|Plant & Animal Science / Poultry; Birds; Bird Diseases; Poultry Diseases; Oiseaux; Volailles|0307-9457|Bimonthly| |TAYLOR & FRANCIS LTD +1903|Aviation Space and Environmental Medicine|Clinical Medicine / Aviation medicine; Space medicine; Aerospace Medicine; Space Flight; Médecine aéronautique; Médecine spatiale; Milieugezondheidskunde|0095-6562|Monthly| |AEROSPACE MEDICAL ASSOC +1904|Avicennia| |1134-1785|Annual| |UNIV OVIEDO +1905|Avifauna Ukrayiny| |1727-7531|Irregular| |UKRAINIAN UNION BIRD CONSERVATION KANEV +1906|Avocetta| |0404-4266|Semiannual| |CENTRO ITALIANO STUDI ORNITOLOGICI +1907|Avon Bird Report| |0956-5744|Annual| |AVON ORNITHOLOGICAL GROUP +1908|Axiomathes|Philosophy; Filosofie|1122-1151|Quarterly| |SPRINGER +1909|Azariana Serie C-Ciencias Naturales| |2075-4191|Irregular| |INST BIOECOLOGIA & INVESTIGACION SUBTROPICAL FELIX DE AZARA-IBIS +1910|B E Journal of Economic Analysis & Policy|Economics & Business /|1935-1682|Irregular| |BERKELEY ELECTRONIC PRESS +1911|B E Journal of Macroeconomics|Economics & Business /|1935-1690|Irregular| |BERKELEY ELECTRONIC PRESS +1912|B E Journal of Theoretical Economics|Economics & Business /|1935-1704|Irregular| |BERKELEY ELECTRONIC PRESS +1913|B O U Check-List| |0962-0877|Annual| |BRITISH ORNITHOLOGISTS UNION +1914|B-Ent|Clinical Medicine|0001-6497|Quarterly| |ROYAL BELGIAN SOC EAR +1915|Babbler| |1012-2974|Semiannual| |BIRDLIFE BOTSWANA +1916|Bach| |0005-3600|Semiannual| |RIEMENSCHNEIDER BACH INST +1917|Bacteriological Reviews| |0005-3678|Quarterly| |AMER SOC MICROBIOLOGY +1918|Badania Fizjograficzne Nad Polska Zachodnia Seria B Botanika| |0067-2815|Annual| |WYDAWNICTWO POZNANSKIEGO TOWARZYSTWA PRZYJACIOL NAUK +1919|Badania Fizjograficzne Nad Polska Zachodnia Seria C Zoologia| |0137-6683|Annual| |WYDAWNICTWO POZNANSKIEGO TOWARZYSTWA PRZYJACIOL NAUK +1920|Bag-Journal of Basic and Applied Genetics| |1666-0390|Semiannual| |SOC ARGENTINA GENETICA +1921|Bakony Termeszeti Kepe| |1416-8618|Irregular| |BAKONYI TERMESZETTUDOMANYI MUZEUM +1922|Bakony Termeszettudomanyi Kutatasanak Eredmenyei| |0408-2427|Irregular| |BAKONYI TERMESZETTUDOMANYI MUZEUM +1923|Balikesir Universitesi Fen Bilimleri Enstitusu Dergisi| |1301-7985|Semiannual| |BALIKESIR UNIV +1924|Balkan Journal of Geometry and Its Applications|Mathematics|1224-2780|Semiannual| |BALKAN SOC GEOMETERS +1925|Balkan Journal of Medical Genetics|Molecular Biology & Genetics / Genetics, Medical|1311-0160|Semiannual| |MACEDONIAN ACAD SCIENCES ARTS +1926|Ballet Review| |0522-0653|Quarterly| |DANCE RESEARCH FOUNDATION +1927|Baltic Astronomy|Space Science|1392-0049|Quarterly| |INST THEORETICAL PHYSICS ASTRONOMY +1928|Baltic Forestry|Plant & Animal Science|1392-1355|Semiannual| |LITHUANIAN FOREST RESEARCH INST +1929|Baltic Journal of Coleopterology| |1407-8619|Semiannual| |DAUAVPILS UNIV +1930|Baltic Journal of Economics|Economics & Business|1406-099X|Semiannual| |EUROBALTIC CENTRES EXCELLENCE +1931|Baltic Journal of Laboratory Animal Science| |1407-0944|Quarterly| |PJSC GRINDEKS +1932|Baltic Journal of Management|Economics & Business /|1746-5265|Tri-annual| |EMERALD GROUP PUBLISHING LIMITED +1933|Baltic Journal of Road and Bridge Engineering|Engineering / Highway engineering|1822-427X|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +1934|Baltica|Geosciences|0067-3064|Annual| |INST GEOLOGY & GEOGRAPHY +1935|Banach Journal of Mathematical Analysis|Mathematics|1735-8787|Semiannual| |TUSI MATHEMATICAL RESEARCH GROUP +1936|Bangladesh Journal of Botany|Plant & Animal Science / Botany|0253-5416|Semiannual| |BANGLADESH BOTANICAL SOC +1937|Bangladesh Journal of Pharmacology|Pharmacology & Toxicology / Pharmacology; Pharmaceutical Preparations|1991-007X|Semiannual| |BANGLADESH PHARMACOLOGICAL SOC +1938|Bangladesh Journal of Plant Taxonomy|Plant & Animal Science / Botany|1028-2092|Semiannual| |BANGLADESH ASSOC PLANT TAXONOMISTS +1939|Bangladesh Journal of Zoology| |0304-9027|Semiannual| |ZOOLOGICAL SOC BANGLADESH +1940|Banisteria| |1066-0712|Semiannual| |VIRGINIA NATURAL HISTORY SOC +1941|Banking Law Journal|Social Sciences, general|0005-5506|Monthly| |A S PRATT & SONS +1942|Bantu Studies| |0256-1751|Quarterly| |ROUTLEDGE JOURNALS +1943|Baptria| |0355-4791|Quarterly| |SUOMEN PERHOSTUTKIJAIN SEURA RY +1944|Bar International Series| |0143-3067|Irregular| |ARACHEOPRESS +1945|Bariatric Nursing and Surgical Patient Care|Social Sciences, general / Bariatric Surgery|1557-1459|Quarterly| |MARY ANN LIEBERT INC +1946|Bars| |1800-556X|Irregular| |BROADS AUTHORITY +1947|Bartin Orman Fakultesi Dergisi| |1302-0943|Semiannual| |BARTIN UNIV +1948|Bartonia| |0198-7356|Annual| |PHILADELPHIA BOTANICAL CLUB +1949|Basic & Clinical Pharmacology & Toxicology|Pharmacology & Toxicology / Pharmacology; Toxicology; Pharmacology, Clinical; Pharmacologie; Toxicologie; Farmacologie / Pharmacology; Toxicology; Pharmacology, Clinical; Pharmacologie; Toxicologie; Farmacologie|1742-7835|Monthly| |WILEY-BLACKWELL PUBLISHING +1950|Basic and Applied Dryland Research| |1864-3191|Annual| |GESELLSCHAFT OEKOLOGIE +1951|Basic and Applied Ecology|Environment/Ecology / Ecology; Applied ecology; Ecologie|1439-1791|Bimonthly| |ELSEVIER GMBH +1952|Basic and Applied Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social; Sociale psychologie|0197-3533|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +1953|Basic Research in Cardiology|Clinical Medicine / Cardiology; Cardiovascular System; Cardiologie / Cardiology; Cardiovascular System; Cardiologie|0300-8428|Bimonthly| |SPRINGER HEIDELBERG +1954|Basin Research|Geosciences / Sedimentation and deposition; Sedimentary basins|0950-091X|Quarterly| |WILEY-BLACKWELL PUBLISHING +1955|Basteria| |0005-6219|Bimonthly| |NATL NATUURHISTORISCH MUSEUM +1956|Bat Research News| |0005-6227|Quarterly| |BAT RESEARCH NEWS +1957|Batalleria| |0214-7831|Annual| |MUSEU GEOLOGIC SEMINARI +1958|Bauhinia| |0067-4605|Irregular| |BASLER BOTANISCHE GESELLSCHAFT +1959|Bauingenieur|Engineering|0005-6650|Monthly| |SPRINGER-VDI VERLAG GMBH & CO KG +1960|Bauphysik|Engineering / Buildings|0171-5445|Bimonthly| |ERNST & SOHN-A WILEY CO +1961|Bautechnik|Engineering / Civil engineering; Building, Iron and steel; Engineering; Bouwkunde; Civiele techniek; Bouwnijverheid; Génie civil; Construction métallique; Ingénierie|0932-8351|Monthly| |ERNST & SOHN-A WILEY CO +1962|Bayerische Akademie der Wissenschaften Mathematisch-Naturwissenschaftlicheklasse Abhandlungen| |0005-6995|Irregular| |Bayerische Akademie der Wissenschaften, München +1963|Bayesian Analysis|Mathematics / Bayesian statistical decision theory; Neural networks (Computer science)|1931-6690|Irregular| |INT SOC BAYESIAN ANALYSIS +1964|Beagle| |0811-3653|Annual| |MUSEUM & ART GALLERY NORTHERN TERRITORY +1965|Beaufortia| |0067-4745|Irregular| |INST SYSTEMATICS & POPULATION BIOLOGY +1966|Beche-de-Mer Information Bulletin| |1025-4943|Irregular| |SECRETARIAT PACIFIC COMMUNITY +1967|Bedfordshire Naturalist| |0951-8959|Annual| |BEDFORDSHIRE NATURAL HISTORY SOC +1968|Bee-Eater and Birdlife Eastern Cape News| | |Quarterly| |BIRDLIFE SOUTH AFRICA +1969|Beetle News| |2040-6177|Quarterly| |RICHARD WRIGHT +1970|Behavior Analyst|Psychiatry/Psychology|0738-6729|Semiannual| |SOC ADVANCEMENT BEHAVIOR ANALYSIS +1971|Behavior Genetics|Psychiatry/Psychology / Behavior genetics; Genetics, Behavioral; Génétique du comportement|0001-8244|Bimonthly| |SPRINGER +1972|Behavior Modification|Psychiatry/Psychology / Behavior modification; Behavior Therapy|0145-4455|Bimonthly| |SAGE PUBLICATIONS INC +1973|Behavior Research Methods|Psychiatry/Psychology / Psychology, Experimental; Behavioral Research; Research Design; Psychologie; Onderzoeksmethoden; Psychologie expérimentale|1554-351X|Quarterly| |PSYCHONOMIC SOC INC +1974|Behavior Therapy|Psychiatry/Psychology / Behavior therapy; Behavior Therapy; Gedragstherapie / Behavior therapy; Behavior Therapy; Gedragstherapie|0005-7894|Quarterly| |ASSOC ADV BEHAVIOR THERAPY +1975|Behavioral and Brain Functions|Neuroscience & Behavior / Neurophysiology; Neuropsychology; Brain; Human behavior; Animal behavior; Nervous System Physiology; Nervous System Diseases; Behavior; Behavior, Animal|1744-9081|Monthly| |BIOMED CENTRAL LTD +1976|Behavioral and Brain Sciences|Neuroscience & Behavior / Psychophysiology; Psychology; Human behavior; Animal behavior; Brain; Behavioral Sciences; Cognition; Neurology; Neurologie; Gedragswetenschappen|0140-525X|Bimonthly| |CAMBRIDGE UNIV PRESS +1977|Behavioral Disorders|Psychiatry/Psychology|0198-7429|Quarterly| |COUNCIL CHILDREN BEHAVIORAL DISORDERS +1978|Behavioral Ecology|Plant & Animal Science / Animal behavior; Animal ecology; Behavior, Animal; Ecology; Ethology; Écologie animale; Animaux|1045-2249|Bimonthly| |OXFORD UNIV PRESS INC +1979|Behavioral Ecology and Sociobiology|Plant & Animal Science / Animal behavior; Animal ecology; Ecology; Ethology; Social Behavior; Omgevingspsychologie; Animaux; Écologie animale|0340-5443|Monthly| |SPRINGER +1980|Behavioral Interventions|Psychiatry/Psychology / People with mental disabilities; Behavior therapy; Behavior Therapy; Gedragstherapie; Klinische psychologie|1072-0847|Quarterly| |JOHN WILEY & SONS LTD +1981|Behavioral Medicine|Psychiatry/Psychology / Medicine and psychology; Medicine, Psychosomatic; Stress (Physiology); Stress (Psychology); Behavioral Medicine; Médecine et psychologie; Médecine psychosomatique; Stress; Gedrag; Geneeskunde; Medische psychologie|0896-4289|Quarterly| |HELDREF PUBLICATIONS +1982|Behavioral Neuroscience|Neuroscience & Behavior / Psychology, Comparative; Behavior; Neurophysiology; Psychophysiology; Gedrag; Neurologie; Psychophysiologie|0735-7044|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +1983|Behavioral Psychology-Psicologia Conductual|Psychiatry/Psychology|1132-9483|Tri-annual| |FUNDACION VECA PARA AVANCE PSICOLOGIA +1984|Behavioral Sciences & the Law|Psychiatry/Psychology / Mental health laws; Forensic psychology; Behavioral Sciences; Forensic Psychiatry; Psychologie légale; Santé mentale; Gerechtelijke psychologie; Gerechtelijke psychiatrie|0735-3936|Bimonthly| |JOHN WILEY & SONS LTD +1985|Behavioral Sleep Medicine|Clinical Medicine / Sleep disorders; Sleep; Sleep Disorders; Behavioral Medicine|1540-2002|Quarterly| |ROUTLEDGE JOURNALS +1986|Behaviour|Plant & Animal Science / Psychology, Comparative; Animal behavior; Ethology; Diergedrag; Psychologie comparée|0005-7959|Monthly| |BRILL ACADEMIC PUBLISHERS +1987|Behaviour & Information Technology|Psychiatry/Psychology / Electronic data processing; Human engineering; Information technology / Electronic data processing; Human engineering; Information technology|0144-929X|Bimonthly| |TAYLOR & FRANCIS LTD +1988|Behaviour Change|Psychiatry/Psychology / Behavior therapy; Behavior modification; Behavior Therapy|0813-4839|Quarterly| |AUSTRALIAN ACAD PRESS +1989|Behaviour Research and Therapy|Psychiatry/Psychology / Psychiatry; Behavior; Learning|0005-7967|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +1990|Behavioural and Cognitive Psychotherapy|Psychiatry/Psychology / Behavior therapy; Behavior Therapy; Cognitive Therapy; Mental Disorders; Psychotherapy; Cognitieve therapie; Gedragstherapie; Thérapie de comportement; Psychothérapie|1352-4658|Quarterly| |CAMBRIDGE UNIV PRESS +1991|Behavioural Brain Research|Neuroscience & Behavior / Brain; Neuropsychology; Neurophysiology; Behavior|0166-4328|Semimonthly| |ELSEVIER SCIENCE BV +1992|Behavioural Neurology|Clinical Medicine|0953-4180|Quarterly| |IOS PRESS +1993|Behavioural Pharmacology|Neuroscience & Behavior / Psychopharmacology; Behavior; Nervous System|0955-8810|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +1994|Behavioural Processes|Plant & Animal Science / Animal behavior; Psychophysiology; Ethology|0376-6357|Monthly| |ELSEVIER SCIENCE BV +1995|Beiblaetter zu Den Mitteilungen der Abteilung fuer Zoologie Am Landesmuseum Joanneum| |1026-4922|Irregular| |LANDESMUSEUM JOANNEUM +1996|Beihefte der Zeitschrift fuer Feldherpetologie| | |Irregular| |LAURENTI VERLAG +1997|Beihefte zu Oekologie der Voegel| |0937-2695|Irregular| |KURATORIUM AVIFAUNISTISCHE FORSCHUNG BADEN-WUERTTEMBERG E V +1998|Beihefte zum Tuebinger Atlas des Vorderen Orients Reihe A Naturwissenschaften| |0947-2754|Irregular| |DR LUDWIG REICHERT VERLAG +1999|Beilageband zu Den Veroeffentlichungen des Museum Ferdinandeum| | |Irregular| |VEREIN TIROLER LANDESMUSEUM FERDINANDEUM +2000|Beilstein Journal of Organic Chemistry|Chemistry / Chemistry, Organic|1860-5397|Bimonthly| |BEILSTEIN-INSTITUT +2001|Beitraege zum Naturschutz in der Schweiz| |1421-5527|Irregular| |PRO NATURA +2002|Beitraege zur Araneologie| |0930-1526|Irregular| |VERLAG JORG WUNDERLICH +2003|Beitraege zur Archaeozoologie und Praehistorischen Anthropologie| |1436-9427|Irregular| |GESELLSCHAFT ARCHAEOZOOLOGIE UND PRAEHISTORISCHE ANTHROPOLOGIE E V +2004|Beitraege zur Bayerischen Entomofaunistik| |1430-015X|Semiannual| |ARBEITS BAYER ENTOMOL EV +2005|Beitraege zur Biologie der Pflanzen| |0005-8041|Irregular| |DUNCKER & HUMBLOT GMBH +2006|Beitraege zur Entomofaunistik| |1563-1400|Irregular| |OESTERREICHISCHE GESELL ENTOMOFAUNISTIK +2007|Beitraege zur Fauna & Flora Ostfrieslands| |1861-1796|Monthly| |KLAUS RETTIG +2008|Beitraege zur Jagd- und Wildforschung| | |Annual| |GESELLSCHAFT FUR WILDTIER - UND JAGDFORSCHUNG +2009|Beitraege zur Kenntnis der Wilden Seidenspinner| |1612-2674|Irregular| |ULRICH PAUKSTADT +2010|Beitraege zur Naturkunde in Osthessen| |0342-5452|Semiannual| |VEREIN NATURKUNDE OSTHESSEN E V +2011|Beitraege zur Naturkunde Niedersachsens| |0340-4277|Quarterly| |BEITRAEGE ZUR NATURKUNDE NIEDERSACHSENS +2012|Beitraege zur Naturkunde Oberoesterreichs| |1025-3262|Annual| |OBEROESTERREICHISCHES LANDESMUSEUM +2013|Beitraege zur Naturkunde Zwischen Egge und Weser| | | | |NATURKUNDLICHER VEREIN EGGE-WESER E V +2014|Beitraege zur Zikadenkunde| |1434-2065|Irregular| |MARTIN-LUTHER-UNIV HALLE-WITTENBERG +2015|Beitrage zur Entomologie| |0005-805X|Semiannual| |AKADEMIE VERLAG GMBH +2016|Beitrage zur Geschichte der Arbeiterbewegung| |0942-3060|Quarterly| |TRAFO VERLAG +2017|Beitrage zur Geschichte der Deutschen Sprache und Literatur|German philology; German literature; German language; Filologie; Duits|0005-8076|Tri-annual| |MAX NIEMEYER VERLAG +2018|Beitrage zur Pathologischen Anatomie und zur Allgemeinen Pathologie| |0366-2446|Tri-annual| |GUSTAV FISCHER VERLAG JENA +2019|Beitrage zur Tabakforschung International| |0173-783X|Irregular| |BEITRAGE TABAKFORSCHUNG INT +2020|Belfagor| |0005-8351|Bimonthly| |CASA EDITRICE LEO S OLSCHKI +2021|Belgian Journal of Botany| |0778-4031|Semiannual| |SOC ROYAL BOTAN BELGIQUE +2022|Belgian Journal of Entomology| |1374-5514|Semiannual| |ROYAL BELGIAN ENTOMOLOGICAL SOC +2023|Belgian Journal of Zoology|Plant & Animal Science|0777-6276|Semiannual| |SOC ROYALE ZOOLOGIQUE BELGIQUE +2024|Belgisch Tijdschrift Voor Nieuwste Geschiedenis-Revue Belge D Histoire Contemporaine| |0035-0869|Semiannual| |FOUNDATION JAN DHONDT +2025|Bell Labs Technical Journal|Computer Science / Telecommunication; Electronics|1089-7089|Quarterly| |JOHN WILEY & SONS INC +2026|Bell System Technical Journal| |0005-8580|Monthly| |AMER TELEPHONE TELEGRAPH CO +2027|Belle W. Baruch Library in Marine Science| |0361-4360|Irregular| |UNIV SOUTH CAROLINA PRESS +2028|Bembix| |0946-6193|Annual| |ARBEITS WESTFAEL ENTOMOL +2029|Bericht der Naturforschenden Gesellschaft Augsburg| |0343-7655|Irregular| |NATURFORSCHENDE GESELLSCHAFT AUGSBURG +2030|Bericht der Naturhistorischen Gesellschaft zu Hannover| |0365-9844|Annual| |NATURHISTORISCHE GESELLSCHAFT HANNOVER +2031|Bericht des Naturwissenschaftlichen Vereins fuer Bielefeld und Umgegend E V| |0340-3831|Annual| |NATURWISSENSCHAFTLICHER VEREIN BIELEFELD UMGEGEND E V +2032|Berichte aus dem Institut für Meereskunde an der Christian-Albrechts Universität Kiel| |0341-8561|Irregular| |INST MEERESKUNDE UNIV KIEL +2033|Berichte der Bayerischen Botanischen Gesellschaft zur Erforschung der Heimischen Flora| |0373-7640|Irregular| |BAYERISCHEN BOTANISCHEN GESELLSCHAFT +2034|Berichte der Botanisch-Zoologischen Gesellschaft Liechtenstein-Sargans-Werdenberg| |0302-119X|Annual| |BOTANISCH-ZOOLOGISCHE GESELLSCHAFT LIECHTENSTEIN-SARGANS-WERDENBERG E.V. +2035|Berichte der deutschen chemischen Gesellschaft| |0365-9496|Irregular| |GESELLSCHAFT DEUTSCHER CHEMIKER E V +2036|Berichte der Freunde der Zsm| |1436-6819|Irregular| |VERLAG DR FRIEDRICH PFEIL +2037|Berichte der Naturforschenden Gesellschaft Oberlausitz| |0941-0627|Annual| |GESCHAEFTSLEITUNG NATURFORSCHENDEN GESELLSCHAFT OBERLAUSITZ E V +2038|Berichte der Naturforschenden Gesellschaft zu Freiburg Im Breisgau| |0028-0917|Irregular| |UNIVERSITAETSBIBLIOTHEK FREIBURG IM BREISGAU +2039|Berichte des Landesamtes fuer Umweltschutz Sachsen-Anhalt| |0941-7281|Irregular| |LANDESAMT UMWELTSCHUTZ SACHSEN-ANHALT +2040|Berichte des Naturwissenschaftlich-Medizinischen Vereins in Innsbruck| |0379-1416|Annual| |UNIVERSITAETSVERLAG WAGNER GMBH-UW +2041|Berichte des Naturwissenschaftlichen Vereins fuer Schwaben| |0720-3705|Annual| |NATURWISSENSCHAFTLICHER VEREIN SCHWABEN E V +2042|Berichte des Vereins Natur und Heimat und des Naturhistorischen Museums Zuluebeck| |0067-5806|Irregular| |MUSEUM NATUR UMWELT +2043|Berichte über Landwirtschaft|Agricultural Sciences|0005-9080|Tri-annual| |W KOHLHAMMER GMBH +2044|Berichte zum Vogelschutz| |0944-5730|Irregular| |DEUTSCHER RAT VOGELSCHUTZ +2046|Berichte zur Wissenschaftsgeschichte|Science; History of Medicine; Natuurwetenschappen / Science; History of Medicine; Natuurwetenschappen|0170-6233|Quarterly| |WILEY-V C H VERLAG GMBH +2047|Beringeria| |0937-0242|Semiannual| |FREUNDE WUERZBURGER GEOWISSENSCHAFTEN +2048|Beringian Seabird Bulletin| | |Irregular| |INST BIOLOGICAL PROBLEMS NORTH +2049|Berkut-Ukrainian Ornithological Journal| |1727-0200|Semiannual| |UKRAINIAN UNION BIRD CONSERVATION KANEV +2050|Berliner Geowissenschaftliche Abhandlungen Reihe A Geologie und Palaeontologie| |0172-8784|Irregular| |SELBSTVERLAG FACHBEREICH GEOWISSENSCHAFTEN +2051|Berliner Journal für Soziologie|Social Sciences, general / Sociology|0863-1808|Quarterly| |VS VERLAG SOZIALWISSENSCHAFTEN-GWV FACHVERLAGE GMBH +2052|Berliner Ornithologischer Bericht| |0941-1828|Semiannual| |BERLINER ORNITHOLOGISCHE ARBEITSGEMEINSCHAFT E V-BOA +2053|Berliner Palaeobiologische Abhandlungen| |1612-0361|Annual| |SELBSTVERLAG FACHRICHTUNG PALAEONTOLOGIE +2054|Berliner und Munchener Tierarztliche Wochenschrift|Plant & Animal Science|0005-9366|Bimonthly| |SCHLUETERSCHE VERLAGSGESELLSCHAFT MBH & CO KG +2055|Bernice P Bishop Museum Bulletin| |0005-9439| | |BISHOP MUSEUM +2056|Bernoulli|Mathematics / Mathematical statistics; Probabilities; Statistique mathématique; Probabilités|1350-7265|Quarterly| |INT STATISTICAL INST +2057|Besoiro| |1267-2157|Irregular| |ASSOC ENTOMOL CONNAIS FAUNE TROP +2058|Best Practice & Research Clinical Endocrinology & Metabolism|Clinical Medicine / Endocrine glands; Metabolism; Endocrinology; Endocrine Diseases; Metabolic Diseases / Endocrine glands; Metabolism; Endocrinology; Endocrine Diseases; Metabolic Diseases / Endocrine glands; Metabolism; Endocrinology; Endocrine Disease|1521-690X|Quarterly| |ELSEVIER SCI LTD +2059|Best Practice & Research Clinical Haematology|Clinical Medicine / Hematology; Blood; Hematologic Diseases / Hematology; Blood; Hematologic Diseases / Hematology; Blood; Hematologic Diseases|1521-6926|Quarterly| |ELSEVIER SCI LTD +2060|Best Practice & Research Clinical Obstetrics & Gynaecology|Gynecology; Obstetrics; Genital Diseases, Female; Verloskunde; Gynaecologie / Gynecology; Obstetrics; Genital Diseases, Female; Verloskunde; Gynaecologie|1521-6934|Bimonthly| |ELSEVIER SCI LTD +2061|Best Practice & Research in Clinical Gastroenterology|Clinical Medicine / Gastroenterology; Gastrointestinal system; Gastrointestinal Diseases; Klinische geneeskunde; Gastro-enterologie|1521-6918|Bimonthly| |BAILLIERE TINDALL +2062|Best Practice & Research in Clinical Rheumatology|Clinical Medicine / Rheumatology; Rheumatic Diseases / Rheumatology; Rheumatic Diseases / Rheumatology; Rheumatic Diseases|1521-6942|Bimonthly| |ELSEVIER SCI LTD +2063|Best Practice Protected Area Guidelines Series| |1817-3713|Irregular| |INT UNION CONSERVATION NATURE NATURAL RESOURCES-IUCN-PUBLICATI +2064|Beton- und Stahlbetonbau|Engineering / Reinforced concrete construction; Betonindustrie; Beton|0005-9900|Monthly| |ERNST & SOHN-A WILEY CO +2065|Betriebswirtschaftliche Forschung und Praxis|Economics & Business|0340-5370|Bimonthly| |VERLAG NEUE WIRTSCHAFTS-BRIEFE +2066|Bfn-Skripten| | |Irregular| |BUNDESAMT NATURSCHUTZ-BFN +2067|Bfw Berichte| |1816-0182|Irregular| |BUNDESAMT FORSCHUNGSZENTRUM WALD +2068|Biawak| |1936-296X|Quarterly| |INT VARANID INTEREST GRP +2069|Biblica| |0006-0887|Quarterly| |BIBLICAL INST PRESS +2070|Bibliography of Indian Zoology| |0409-4093|Annual| |ZOOLOGICAL SURVEY INDIA +2071|Biblioteca Jose Jeronimo Triana| |0120-484X|Irregular| |INST CIENCIAS NATURALES +2072|Bibliotheca Herpetologica| |1653-3798|Semiannual| |INT SOC HISTORY BIBLIOGRAPHY HERPETOLOGY +2073|Bibliotheque D Humanisme et Renaissance| |0006-1999|Tri-annual| |LIBRAIRIE DROZ SA +2074|Bibliothèque de l école des chartes| |0373-6237|Semiannual| |LIBRAIRIE DROZ SA +2075|Biblische Zeitschrift| |0006-2014|Semiannual| |FERDINAND SCHOENINGH +2076|Bievre| |0223-7741|Semiannual| |CENTRE ORNITHOLOGIQUE RHONE-ALPES +2077|Biharean Biologist| |1843-5637|Semiannual| |UNIV ORADEA +2078|Bijdragen Tot de Taal- Land- En Volkenkunde|Social Sciences, general|0006-2294|Quarterly| |KONINKLIJK INST TAAL- LAND- EN VOLKENKUNDE +2079|Bilig|Social Sciences, general|1301-0549|Quarterly| |AHMET YESEVI UNIV +2080|Bilingualism-Language and Cognition|Social Sciences, general / Bilingualism; Language acquisition; Tweetaligheid; Cognitie / Bilingualism; Language acquisition; Tweetaligheid; Cognitie|1366-7289|Tri-annual| |CAMBRIDGE UNIV PRESS +2081|Bio-Medical Materials and Engineering|Clinical Medicine|0959-2989|Quarterly| |IOS PRESS +2082|Bio-Science Research Bulletin| |0970-0889|Semiannual| |DR A K SHARMA +2083|Bioacoustics-The International Journal of Animal Sound and Its Recording|Plant & Animal Science|0952-4622|Tri-annual| |A B ACADEMIC PUBL +2084|Bioagro| |1316-3361|Tri-annual| |UNIV CENTROCCIDENTIAL LISANDRO ALVARADO +2085|Biocatalysis and Biotransformation|Biology & Biochemistry / Enzymes; Biotransformation (Metabolism); Biotechnology; Biotransformation; Catalysis|1024-2422|Bimonthly| |TAYLOR & FRANCIS LTD +2086|Biocell|Molecular Biology & Genetics|0327-9545|Tri-annual| |INST HISTOL EMBRIOL-CONICET +2087|Biochemia Medica|Biology & Biochemistry|1330-0962|Semiannual| |CROATIAN SOC MEDICAL BIOCHEMISTS +2088|Biochemical and Biophysical Research Communications|Biology & Biochemistry / Biochemistry; Biophysics; Biochimie; Biophysique; Biochemie; Biofysica|0006-291X|Weekly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2089|Biochemical and Cellular Archives| |0972-5075|Semiannual| |DR P R YADAV +2090|Biochemical Engineering Journal|Biology & Biochemistry / Biochemical engineering|1369-703X|Monthly| |ELSEVIER SCIENCE SA +2091|Biochemical Genetics|Molecular Biology & Genetics / Biochemical genetics; Molecular Biology; Genetica; Biochemie; Génétique biochimique|0006-2928|Monthly| |SPRINGER/PLENUM PUBLISHERS +2092|Biochemical Journal|Biology & Biochemistry / Biochemistry; Biochemie|0264-6021|Semimonthly| |PORTLAND PRESS LTD +2093|Biochemical Pharmacology|Pharmacology & Toxicology / Pharmacology; Biochemistry; Cancer; Chemistry, Pharmaceutical; Biochimie; Chimie médicale et pharmaceutique; Pharmacologie|0006-2952|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +2094|Biochemical Society Symposia|Biochemistry|0067-8694|Annual| |PORTLAND PRESS LTD +2095|Biochemical Society Transactions|Biology & Biochemistry / Biochemistry; Biochemie|0300-5127|Bimonthly| |PORTLAND PRESS LTD +2096|Biochemical Systematics and Ecology|Biology & Biochemistry / Chemotaxonomy; Biochemical variation; Ecology; Biochemistry|0305-1978|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +2097|Biochemische Zeitschrift| |0366-0753|Bimonthly| |SPRINGER +2098|Biochemistry|Biology & Biochemistry / Biochemistry; Biochimie; Biochemie|0006-2960|Weekly| |AMER CHEMICAL SOC +2099|Biochemistry and Cell Biology-Biochimie et Biologie Cellulaire|Molecular Biology & Genetics / Biochemistry; Cytology; Biochimie; Cytologie; Celbiologie; Biochemie|0829-8211|Bimonthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +2100|Biochemistry and Molecular Biology Education|Biology & Biochemistry / Biochemistry; Molecular biology; Molecular Biology|1470-8175|Bimonthly| |JOHN WILEY & SONS INC +2101|Biochemistry-Moscow|Biology & Biochemistry / Biochemistry; Biology; Biochimie; Biologie|0006-2979|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +2102|Biochimica et Biophysica Acta-Bioenergetics|Biology & Biochemistry /|0005-2728|Monthly| |ELSEVIER SCIENCE BV +2103|Biochimica et Biophysica Acta-Biomembranes|Biology & Biochemistry /|0005-2736|Monthly| |ELSEVIER SCIENCE BV +2104|Biochimica et Biophysica Acta-Gene Regulatory Mechanisms|Molecular Biology & Genetics /|1874-9399|Monthly| |ELSEVIER SCIENCE BV +2105|Biochimica et Biophysica Acta-General Subjects|Biology & Biochemistry /|0304-4165|Monthly| |ELSEVIER SCIENCE BV +2106|Biochimica et Biophysica Acta-Molecular and Cell Biology of Lipids|Biology & Biochemistry / Lipids|1388-1981|Monthly| |ELSEVIER SCIENCE BV +2107|Biochimica et Biophysica Acta-Molecular Basis of Disease|Clinical Medicine / Molecular biology; Diseases|0925-4439|Monthly| |ELSEVIER SCIENCE BV +2108|Biochimica et Biophysica Acta-Molecular Cell Research|Molecular Biology & Genetics / Cytology; Molecular biology|0167-4889|Monthly| |ELSEVIER SCIENCE BV +2109|Biochimica et Biophysica Acta-Proteins and Proteomics|Biology & Biochemistry / Proteins; Enzymes|1570-9639|Monthly| |ELSEVIER SCIENCE BV +2110|Biochimica et Biophysica Acta-Reviews on Cancer|Clinical Medicine /|0304-419X|Quarterly| |ELSEVIER SCIENCE BV +2111|Biochimie|Biology & Biochemistry / Biochemistry; Biochimie; Biologie moléculaire|0300-9084|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +2112|BioChip Journal|Chemistry /|1976-0280|Quarterly| |SPRINGER +2113|Biociencias| |0104-3455|Semiannual| |PONTIFICIA UNIV CATOLICA RIO GRANDE SUL +2114|Bioconjugate Chemistry|Chemistry / Bioconjugates; Biochemistry; Bioconjugués|1043-1802|Monthly| |AMER CHEMICAL SOC +2115|BioControl|Agricultural Sciences / Pests; Phytopathogenic microorganisms; Weeds|1386-6141|Bimonthly| |SPRINGER +2116|Biocontrol Science|Agricultural Sciences /|1342-4815|Semiannual| |SOC ANTIBACTERIAL & ANTIFUNGAL AGENTS +2117|Biocontrol Science and Technology|Agricultural Sciences / Pests; Biologische bestrijding; Animaux et plantes nuisibles, Lutte biologique contre les; Mauvaises herbes, Lutte biologique contre les; Plantes; Ennemis des cultures, Lutte biologique contre les; Biopesticides; Insectes nuisible|0958-3157|Quarterly| |TAYLOR & FRANCIS LTD +2118|Biocosme Mesogeen| |0762-6428|Quarterly| |JARDIN BOTANIQUE +2119|Biocybernetics and Biomedical Engineering|Clinical Medicine|0208-5216|Quarterly| |PWN-POLISH SCIENTIFIC PUBL +2120|Biodegradation|Biology & Biochemistry / Xenobiotics; Microbial metabolism; Pollutants; Waste products; Biodegradation|0923-9820|Bimonthly| |SPRINGER +2121|Biodemography and Social Biology| |1948-5565|Semiannual| |ROUTLEDGE JOURNALS +2122|Biodiversidade Pampeana| |1679-6179|Semiannual| |PONTIFICIA UNIV CATOLICA RIO GRANDE DO SUL +2123|Biodiversitas| |1412-033X|Semiannual| |SEBELAS MARET UNIV SURAKARTA +2124|Biodiversity and Conservation|Environment/Ecology / Biodiversity conservation / Biodiversity conservation|0960-3115|Monthly| |SPRINGER +2125|Biodiversity Informatics| |1546-9735|Irregular| |UNIV KANSAS +2126|Biodiversity-Ottawa| |1488-8386|Quarterly| |TROPICAL CONSERVANCY +2127|BioDrugs|Clinical Medicine / Immunotherapy; Biopharmaceutics; Gene therapy; Biological Products; Gene Therapy; Immunologic Diseases; Immunothérapie; Biopharmacie; Thérapie génique; Thérapeutique|1173-8804|Bimonthly| |ADIS INT LTD +2128|Bioelectrochemistry|Biology & Biochemistry / Bioelectrochemistry; Bioenergetics; Biochemistry; Electrochemistry; Bioelektrochemie|1567-5394|Bimonthly| |ELSEVIER SCIENCE SA +2129|Bioelectromagnetics|Biology & Biochemistry / Electromagnetism; Electromagnetics; Electrophysiology|0197-8462|Bimonthly| |WILEY-LISS +2130|BioEnergy Research| |1939-1234|Quarterly| |SPRINGER +2131|BioEssays|Biology & Biochemistry / Molecular biology; Cytology; Developmental biology; Growth; Molecular Biology; Biologie moléculaire; Cytologie; Biologie du développement; Celbiologie; Moleculaire biologie; Ontwikkelingsbiologie|0265-9247|Monthly| |JOHN WILEY & SONS INC +2132|Bioethics|Social Sciences, general / Bioethics; Bioéthique; Éthique médicale; Bio-ethiek|0269-9702|Quarterly| |WILEY-BLACKWELL PUBLISHING +2133|Biofabrication| |1758-5082|Quarterly| |IOP PUBLISHING LTD +2134|BioFactors|Biology & Biochemistry / Vitamins; Trace elements; Growth factors; Plant growth promoting substances; Biochemistry; Nutrition; Trace Elements; Biochimie; Oligoéléments; Vitamines|0951-6433|Monthly| |IOS PRESS +2135|Biofizika|Biology & Biochemistry|0006-3029|Bimonthly| |MEZHDUNARODNAYA KNIGA +2136|Bioformosa| |1684-0925|Semiannual| |NATL TAIWAN NORMAL UNIV +2137|Bioforsk Rapport| | |Irregular| |BIOFORSK +2138|Biofouling|Plant & Animal Science / Marine fouling organisms; Materials; Fouling; Biodegradation; Environmental Microbiology; Water Microbiology; Salissures marines; Matériaux; Encrassement|0892-7014|Bimonthly| |TAYLOR & FRANCIS LTD +2139|Biofuels Bioproducts & Biorefining-Biofpr|Chemistry / Biomass energy; Renewable natural resources; Biological products|1932-104X|Bimonthly| |JOHN WILEY & SONS LTD +2140|Biofutur|Biology & Biochemistry / Biotechnology; Biotechnologie|0294-3506|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +2141|Biogenic Amines|Biology & Biochemistry / Biogenic amines; Biogenic Amines; Fysiologie|0168-8561|Bimonthly| |SOC INTEGRATED SCIENCES +2142|Biogeochemistry|Environment/Ecology / Biogeochemistry; Geochemie; Biochemie; Ecosystemen; Biogéochimie|0168-2563|Monthly| |SPRINGER +2143|Biogeographia| |1594-7629|Annual| |SOC ITALIANA BIOGEOGRAFIA +2144|Biogeographica-Paris| |1165-6638|Quarterly| |SOC BIOGEOGRAPHIE +2145|Biogeography| |1345-0662|Annual| |BIOGEOGRAPHICAL SOC JAPAN +2146|Biogeosciences|Environment/Ecology /|1726-4170|Monthly| |COPERNICUS GESELLSCHAFT MBH +2147|Biogerontology|Molecular Biology & Genetics / Aging; Gerontology; Cell Aging; Geriatrics; Veroudering (biologie, psychologie)|1389-5729|Quarterly| |SPRINGER +2148|Biography-An Interdisciplinary Quarterly| |0162-4962|Quarterly| |UNIV HAWAII PRESS +2149|Bioikos-Campinas| |0102-9568|Semiannual| |INST CIENCIAS BIOLOGICAS QUIMICA +2150|Bioinfolet| |0973-1431|Quarterly| |PROF A M MUNGIKAR +2151|Bioinformatics|Computer Science / Life sciences; Genomes; Computational Biology; Genome; Biologie; Informatietechnologie; Sciences de la vie; Génomes|1367-4803|Biweekly| |OXFORD UNIV PRESS +2152|Bioinorganic Chemistry and Applications|Biology & Biochemistry / Bioinorganic chemistry; Biochemistry|1565-3633|Quarterly| |HINDAWI PUBLISHING CORPORATION +2153|Bioinspiration & Biomimetics|Biomimetics; Biomedical materials; Medical innovations; Biomedical engineering / Biomimetics; Biomedical materials; Medical innovations; Biomedical engineering|1748-3182|Quarterly| |IOP PUBLISHING LTD +2154|Biointerphases|Materials Science / Biomedical materials; Biocompatible Materials|1559-4106|Quarterly| |AVS +2155|Biologia|Biology & Biochemistry / Natural history; Biology|0006-3088|Bimonthly| |VERSITA +2156|Biologia E Conservazione Della Fauna| |1126-5221|Irregular| |IST NAZIONALE PER FAUNA SELVATICA +2157|Biologia Gallo-Hellenica| |0750-7321|Irregular| |GROUPE FRANCO-HELLENIQUE DE RECHERCHES BIOLOGIQUES +2158|Biologia Geral E Experimental| |1519-1982|Semiannual| |UNIV FEDERAL SERGIPE +2159|Biologia Marina Mediterranea| |1123-4245|Irregular| |SOC ITALIANA BIOLOGIA MARINA +2160|Biologia Pesquera| |0067-8767|Irregular| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +2161|Biologia Plantarum|Plant & Animal Science / Botany|0006-3134|Quarterly| |SPRINGER +2162|Biologia-Lahore| |0006-3096|Semiannual| |BIOLOGICAL SOC PAKISTAN +2163|Biological & Pharmaceutical Bulletin|Pharmacology & Toxicology / Biochemistry; Pharmacology; Pharmacy; Toxicology; Biochimie; Pharmacologie; Pharmacie; Toxicologie|0918-6158|Monthly| |PHARMACEUTICAL SOC JAPAN +2164|Biological Agriculture & Horticulture|Agricultural Sciences|0144-8765|Quarterly| |A B ACADEMIC PUBL +2165|Biological Bulletin|Biology & Biochemistry / Biology; Zoology; Marine Biology; Zoologie; Biologie; Biologie marine|0006-3185|Bimonthly| |MARINE BIOLOGICAL LABORATORY +2166|Biological Chemistry|Biology & Biochemistry / Biochemistry; Biochimie; Biochemie|1431-6730|Monthly| |WALTER DE GRUYTER & CO +2167|Biological Conservation|Environment/Ecology / Conservation of natural resources; Nature conservation; Ecology; Environment; Environmental Pollution|0006-3207|Monthly| |ELSEVIER SCI LTD +2168|Biological Control|Plant & Animal Science / Pests|1049-9644|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2169|Biological Cybernetics|Neuroscience & Behavior / Information theory in biology; Bionics; Cybernetics; Bionique; Cybernétique; Information, Théorie de l', en biologie; Cognitieve processen; Psychobiologie; Neurobiologie / Information theory in biology; Bionics; Cybernetics; Bio|0340-1200|Monthly| |SPRINGER +2170|Biological Invasions|Plant & Animal Science / Biological invasions|1387-3547|Monthly| |SPRINGER +2171|Biological Journal of the Linnean Society|Biology & Biochemistry / Biology; Evolution (Biology)|0024-4066|Monthly| |WILEY-BLACKWELL PUBLISHING +2172|Biological Letters| |1644-7700|Semiannual| |POZNANSKIE TOWARZYSTWO PRZYJACIOL NAUK +2173|Biological Magazine Okinawa| |0474-0394|Annual| |BIOLOGICAL SOC OKINAWA +2174|Biological Papers of the University of Alaska| |0568-8604|Irregular| |UNIV ALASKA FAIRBANKS +2175|Biological Procedures Online|Biology & Biochemistry /|1480-9222|Irregular| |SPRINGER +2176|Biological Psychiatry|Neuroscience & Behavior / Biological psychiatry; Psychiatry; Psychopharmacology; Psychophysiology; Biologische psychiatrie; Psychiatrie biologique|0006-3223|Semimonthly| |ELSEVIER SCIENCE INC +2177|Biological Psychology|Psychiatry/Psychology / Psychophysiology; Psychobiology|0301-0511|Monthly| |ELSEVIER SCIENCE BV +2178|Biological Research|Biology & Biochemistry /|0716-9760|Quarterly| |SOC BIOLGIA CHILE +2179|Biological Research for Nursing|Social Sciences, general / Nursing Research; Biological Sciences|1099-8004|Quarterly| |SAGE PUBLICATIONS INC +2180|Biological Reviews|Biology & Biochemistry / Biology; Biologie|1464-7931|Quarterly| |WILEY-BLACKWELL PUBLISHING +2181|Biological Reviews and Biological Proceedings of the Cambridge Philosophical Society| |0301-7699|Quarterly| |CAMBRIDGE UNIV PRESS +2182|Biological Reviews of the Cambridge Philosophical Society|Biology & Biochemistry|0006-3231|Quarterly| |CAMBRIDGE UNIV PRESS +2183|Biological Rhythm Research|Biology & Biochemistry / Biological rhythms; Chronobiology; Cycles; Biological Clocks; Circadian Rhythm|0929-1016|Bimonthly| |TAYLOR & FRANCIS LTD +2184|Biological Survey of Canada Monograph Series| |0833-6326|Irregular| |ENTOMOL SOC CANADA +2185|Biological Theory|Biology; Evolution (Biology); Cognition; Evolution|1555-5542|Quarterly| |M I T PRESS +2186|Biological Trace Element Research|Biology & Biochemistry / Trace elements in the body; Trace elements; Trace Elements|0163-4984|Semimonthly| |HUMANA PRESS INC +2187|Biologicals|Molecular Biology & Genetics / Biological products; Biological Products|1045-1056|Quarterly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +2188|Biologicheskie Membrany|Molecular Biology & Genetics|0233-4755|Bimonthly| |MEZHDUNARODNAYA KNIGA +2189|Biologicheskii Zhurnal Armenii| |0002-2918|Quarterly| |ACAD SCIENCE PUBLISHERS +2190|Biologico| |0366-0567|Semiannual| |CO-OPERATIVE RESEARCH CENTRE FRESHWATER ECOLOGY +2191|Biologie Aujourd hui| |2105-0678|Quarterly| |EDP SCIENCES S A +2192|Biologija| |1392-0146|Quarterly| |LIETUVOS MOKSLU AKAD LEIDYKLA +2193|Biologische Studien| |1432-4199|Annual| |BIOLOGISCHER ARBEITSKREIS ALWIN ARNDT LUCKAU E V +2194|Biologiske Skrifter Kongelige Danske Videnskabernes Selskab| |0366-3612|Irregular| |ROYAL DANISH ACAD SCIENCES LETTERS +2195|Biologist| |0006-3347|Bimonthly| |INST BIOLOGY +2196|Biologist-Lima| |1816-0719|Semiannual| |ASEFIM INST CAPACITACION & ASESORIA +2197|Biologiya Morya-Marine Biology| |0134-3475|Bimonthly| |IZDATELSTVO MEDITSINA +2198|Biologiya Vnutrennikh Vod| |0320-9652|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +2199|Biology & Philosophy|Biology; Philosophy|0169-3867|Bimonthly| |SPRINGER +2200|Biology and Environment-Proceedings of the Royal Irish Academy|Biology & Biochemistry / Biology; Ecology|0791-7945|Tri-annual| |ROYAL IRISH ACADEMY +2201|Biology and Fertility of Soils|Environment/Ecology / Soil biology; Soil fertility; Soil ecology|0178-2762|Monthly| |SPRINGER +2202|Biology Bulletin|Biology & Biochemistry / Biology; Biological Sciences|1062-3590|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +2203|Biology Direct|Biology & Biochemistry / Biology|1745-6150|Irregular| |BIOMED CENTRAL LTD +2204|Biology Letters|Biology; Science; Sciences; Biologie|1744-9561|Bimonthly| |ROYAL SOC +2205|Biology of Blood and Marrow Transplantation|Clinical Medicine / Bone marrow; Hematopoietic stem cells; Bone Marrow Transplantation; Hematopoietic Stem Cell Transplantation; Stamcellen; Transplantatie; Bloedcellen; Beenmerg|1083-8791|Monthly| |ELSEVIER SCIENCE INC +2206|Biology of Reproduction|Clinical Medicine / Reproduction; Biology|0006-3363|Monthly| |SOC STUDY REPRODUCTION +2207|Biology of Sport|Clinical Medicine|0860-021X|Quarterly| |INST SPORT +2208|Biology of the Cell|Molecular Biology & Genetics / Cytology; Electron microscopy; Cytologie; Microscopes électroniques|0248-4900|Monthly| |PORTLAND PRESS LTD +2209|Biomacromolecules|Biology & Biochemistry / Polymers; Macromolecules; Polymers in medicine; Biological Sciences; Macromolecular Systems|1525-7797|Bimonthly| |AMER CHEMICAL SOC +2210|Biomarkers|Pharmacology & Toxicology / Biochemical markers; Genetic Markers|1354-750X|Bimonthly| |TAYLOR & FRANCIS LTD +2211|Biomarkers in Medicine|Molecular Biology & Genetics / Biological Markers|1752-0363|Bimonthly| |FUTURE MEDICINE LTD +2212|Biomass & Bioenergy|Environment/Ecology / Biomass energy|0961-9534|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +2213|Biomaterials|Materials Science / Biomedical materials; Biocompatible Materials; Biomatériaux|0142-9612|Biweekly| |ELSEVIER SCI LTD +2214|Biomechanics and Modeling in Mechanobiology|Biology & Biochemistry / Biomechanics; Biological control systems; Biology; Models, Biological|1617-7959|Quarterly| |SPRINGER HEIDELBERG +2215|Biomedica|Clinical Medicine|0120-4157|Quarterly| |INST NACIONAL SALUD +2216|Biomedical & Pharmacology Journal| |0974-6242|Semiannual| |ORIENTAL SCIENTIFIC PUBL CO +2217|Biomedical and Environmental Sciences|Environment/Ecology / Environmental health; Environment; Environmental Exposure; Environmental Health|0895-3988|Bimonthly| |CHINESE ACAD PREVENTIVE MEDICINE +2218|Biomedical Chromatography|Chemistry / Chromatographic analysis; Biology; Medicine; Chromatography|0269-3879|Monthly| |JOHN WILEY & SONS LTD +2219|BioMedical Engineering OnLine|Biology & Biochemistry / Biomedical engineering; Biomedical Engineering|1475-925X|Irregular| |BIOMED CENTRAL LTD +2220|Biomedical Engineering-Applications Basis Communications|Biology & Biochemistry /|1016-2372|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +2221|Biomedical Materials|Materials Science / Biomedical materials; Biocompatible Materials|1748-6041|Quarterly| |IOP PUBLISHING LTD +2222|Biomedical Microdevices|Clinical Medicine / Biomedical materials; Biomedical engineering; Microfabrication; Biocompatible Materials; Biomedical Engineering; Biotechnology; Biomedische techniek; Microtechniek|1387-2176|Quarterly| |SPRINGER +2223|Biomedical Papers-Olomouc|Clinical Medicine|1213-8118|Quarterly| |PALACKY UNIV +2224|Biomedical Research-India|Clinical Medicine /|0970-938X|Quarterly| |SCIENTIFIC PUBLISHERS INDIA +2225|Biomedical Research-Tokyo|Clinical Medicine / Medicine, Experimental; Research; Biomedisch onderzoek|0388-6107|Bimonthly| |BIOMEDICAL RESEARCH PRESS LTD +2226|Biomedical Signal Processing and Control|Engineering / Signal processing; Biomedical engineering; Signal Processing, Computer-Assisted; Image Processing, Computer-Assisted|1746-8094|Quarterly| |ELSEVIER SCI LTD +2227|Biomedicine & Pharmacotherapy|Pharmacology & Toxicology / Chemotherapy; Medicine; Biology; Drug Therapy; Research; Médecine; Biologie; Chimiothérapie / Chemotherapy; Medicine; Biology; Drug Therapy; Research; Médecine; Biologie; Chimiothérapie|0753-3322|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +2228|Biomeditsinskaya Khimiya| |0042-8809|Bimonthly| |NII BIOMEDITSINSKOI KHIMII RAMN +2229|Biomedizinische Technik|Clinical Medicine / Biomedical engineering; Biomedical Engineering; Electronics, Medical / Biomedical engineering; Biomedical Engineering; Electronics, Medical|0013-5585|Bimonthly| |WALTER DE GRUYTER & CO +2230|BioMetals|Biology & Biochemistry / Metals; Biochemistry; Biology; Ions|0966-0844|Bimonthly| |SPRINGER +2231|Biometrical Journal|Mathematics / Biometry|0323-3847|Bimonthly| |WILEY-V C H VERLAG GMBH +2232|Biometrics|Mathematics / Biometry|0006-341X|Quarterly| |WILEY-BLACKWELL PUBLISHING +2233|Biometrie Humaine et Anthropologie| |1279-7863|Semiannual| |SOC BIOMETRIE HUMAINE +2234|Biometrika|Mathematics / Biometry; Biology; Biométrie; Biologie|0006-3444|Quarterly| |OXFORD UNIV PRESS +2235|Biomicrofluidics|Biology & Biochemistry / Biotechnology; Medical electronics; Molecular biology; Microfluidics; Microfluidic Analytical Techniques; Biomedical Research; Molecular Biology|1932-1058|Quarterly| |AMER INST PHYSICS +2236|Biomolecular NMR Assignments|Biology & Biochemistry / Nuclear Magnetic Resonance, Biomolecular|1874-2718|Semiannual| |SPRINGER +2237|Biomolecules & Therapeutics|Pharmacology & Toxicology /|1976-9148|Quarterly| |KOREAN SOC APPLIED PHARMACOLOGY +2238|Bionature| |0970-9835|Semiannual| |SOC BIONATURALISTS +2239|Bionotes| |0972-1800|Quarterly| |BIOLOGISTS CONFRERIE +2240|Bioorganic & Medicinal Chemistry|Chemistry / Bioorganic chemistry; Pharmaceutical chemistry; Biochemistry; Chemistry, Clinical; Chemistry, Organic; Chemistry, Pharmaceutical; Chimie bio-organique; Chimie pharmaceutique; Biochemie; Medische chemie|0968-0896|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +2241|Bioorganic & Medicinal Chemistry Letters|Chemistry / Bioorganic chemistry; Pharmaceutical chemistry; Biochemistry; Chemistry, Organic; Chemistry, Pharmaceutical; Chimie bio-organique; Chimie pharmaceutique; Biochemie; Medische chemie|0960-894X|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +2242|Bioorganic Chemistry|Chemistry / Bioorganic chemistry; Biochemistry; Chemistry; Chimie bio-organique; Biochemie; Organische chemie|0045-2068|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2243|Bioorganicheskaya Khimiya|Chemistry|0132-3423|Bimonthly| |MAIK NAUKA-INTERPERIODIC PUBLISHING +2244|Biopharm International|Pharmacology & Toxicology|1542-166X|Monthly| |ADVANSTAR COMMUNICATIONS INC +2245|Biopharmaceutics & Drug Disposition|Pharmacology & Toxicology / Biopharmaceutics; Drugs; Pharmacology; Pharmaceutical Preparations; Biopharmacie; Médicaments; Pharmacologie|0142-2782|Monthly| |JOHN WILEY & SONS LTD +2246|Biophysical Chemistry|Chemistry / Biochemistry; Chemistry, Physical|0301-4622|Semimonthly| |ELSEVIER SCIENCE BV +2247|Biophysical Journal|Biology & Biochemistry / Biophysics; Biophysique; Biofysica|0006-3495|Monthly| |CELL PRESS +2248|Biophysical Reviews and Letters|Biophysics|1793-0480|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +2249|Biophysical Society Annual Meeting Abstracts| |0523-6800|Annual| |BIOPHYSICAL SOC +2250|Biopolymers|Biology & Biochemistry / Biopolymers; Peptides; Spectrum analysis; Polymers; Biopolymeren|0006-3525|Semimonthly| |JOHN WILEY & SONS INC +2251|Biopolymers and Cell| |1993-6842|Bimonthly| |NATL ACADEMY SCIENCES UKRAINE +2252|Biopreservation and Biobanking|Biology & Biochemistry /|1947-5543|Quarterly| |MARY ANN LIEBERT INC +2253|Bioprocess and Biosystems Engineering|Biology & Biochemistry / Biochemical engineering; Biotechnology; Biological systems; Biological Products; Biomedical Engineering|1615-7591|Bimonthly| |SPRINGER +2254|Bioremediation Journal|Environment/Ecology / Bioremediation|1088-9868|Quarterly| |TAYLOR & FRANCIS INC +2255|Bioresource Technology|Biology & Biochemistry / Biomass energy; Biotransformation (Metabolism); Agricultural wastes; Factory and trade waste; Organic wastes; Waste products as fuel; Environment|0960-8524|Semimonthly| |ELSEVIER SCI LTD +2256|Bioresources|Biology & Biochemistry|1930-2126|Quarterly| |NORTH CAROLINA STATE UNIV DEPT WOOD & PAPER SCI +2257|Biorheology|Biology & Biochemistry / Rheology (Biology); Biophysics; Body Fluids|0006-355X|Bimonthly| |IOS PRESS +2258|BIORISK| |1313-2644|Irregular| |PENSOFT PUBLISHERS +2259|Bios-A Quarterly Journal of Biology|Biology|0005-3155|Quarterly| |BETA BETA BETA BIOLOGICAL SOC +2260|Bios-Belo Horizonte| |0104-4389|Irregular| |PONTIFICIA UNIV CATOLICA MINAS GERAIS +2261|Bioscan| |0973-7049|Quarterly| |RANCHI UNIV +2262|BioScience|Biology & Biochemistry / Biology|0006-3568|Monthly| |AMER INST BIOLOGICAL SCI +2263|Bioscience Biotechnology and Biochemistry|Biology & Biochemistry / Biochemistry; Chemistry, Organic; Biotechnology; Biological Sciences; Biochemie; Sciences de la vie; Biotechnologie; Biochimie; Chimie agricole|0916-8451|Monthly| |JAPAN SOC BIOSCI BIOTECHN AGROCHEM +2264|Bioscience Horizons| |1754-7431|Irregular| |OXFORD UNIV PRESS +2265|Bioscience Journal|Agricultural Sciences|1516-3725|Quarterly| |UNIV FEDERAL UBERLANDIA +2266|Bioscience Reports|Molecular Biology & Genetics / Molecular biology; Cytology; Molecular Biology; Celbiologie; Moleculaire biologie|0144-8463|Bimonthly| |PORTLAND PRESS LTD +2267|Biosciences Biotechnology Research Asia| |0973-1245|Semiannual| |ORIENTAL SCIENTIFIC PUBL CO +2268|Bioscriba| |1850-4639|Semiannual| |TELLUS-ASOC CONSERVACIONISTA SUR +2269|Biosecurity and Bioterrorism-Biodefense Strategy Practice and Science|Social Sciences, general / Bioterrorism; Biological warfare; Biological Warfare; Security Measures; Policy Making|1538-7135|Quarterly| |MARY ANN LIEBERT INC +2270|Biosensors & Bioelectronics|Biology & Biochemistry / Biosensors; Bioelectronics; Biochemistry; Biotechnology; Biosensing Techniques; Electronics, Medical|0956-5663|Monthly| |ELSEVIER ADVANCED TECHNOLOGY +2271|Biosphere Conservation| |1344-6797|Semiannual| |WILDLIFE CONSERVATION SOC +2272|Biosphere Science| |1348-1371|Annual| |HIROSHIMA UNIV +2273|Biostatistics|Mathematics / Biometry; Statistiek; Biometrie|1465-4644|Quarterly| |OXFORD UNIV PRESS +2274|Biosystema| |1142-7833|Annual| |SOC FRANCAISE SYSTEMATIQUE +2275|Biosystematica| |0973-9955|Semiannual| |PROF T C NARENDRAN TRUST ANIMAL TAXONOMY +2276|Biosystems|Biology & Biochemistry / Biology; Evolution|0303-2647|Monthly| |ELSEVIER SCI LTD +2277|Biosystems Engineering|Agricultural Sciences / Agricultural engineering|1537-5110|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2278|Biota Colombiana| |0124-5376|Irregular| |INST ALEXANDER VON HUMBOLDT +2279|Biota Neotropica| |1676-0611|Semiannual| |REVISTA BIOTA NEOTROPICA +2280|Biota of South Carolina| |1529-2193|Annual| |CLEMSON UNIV +2281|Biota-Race| |1580-4208|Semiannual| |DRUSTVO ZA PROUCEVANJE PTIC IN VARSTVO NARAVE +2282|Biotechnic & Histochemistry|Clinical Medicine / Histochemistry; Stains and staining (Microscopy); Biotechnology; Histocytochemistry; Histological Techniques; Staining and Labeling; Histochemie; Biotechnologie|1052-0295|Bimonthly| |INFORMA HEALTHCARE +2283|BioTechniques|Biology & Biochemistry / Biology, Experimental; Molecular biology; Medical technology; Laboratory Techniques and Procedures; Research; Technology, Medical; Diagnostics biologiques; Recherche; Technologie médicale; Biotechnologie; Biologie; Laboratoriumon|0736-6205|Monthly| |INFORMA HEALTHCARE +2284|Biotechnologia| |0860-7796|Quarterly| |WYDAWNICTWA NAUKOWO-TECHNICZNE +2285|Biotechnologie Agronomie Societe et Environnement| |1370-6233|Quarterly| |FAC UNIV SCIENCES AGRONOMIQUES GEMBLOUX +2286|Biotechnology & Biotechnological Equipment|Biology & Biochemistry /|1310-2818|Semiannual| |DIAGNOSIS PRESS LTD +2287|Biotechnology & Genetic Engineering Reviews|Molecular Biology & Genetics|0264-8725|Annual| |INTERCEPT LTD SCIENTIFIC +2288|Biotechnology Advances|Biology & Biochemistry / Biotechnology; Biochemistry; Biomedical Engineering; Patents; Technology; Biotechnologie|0734-9750|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +2289|Biotechnology and Applied Biochemistry|Biology & Biochemistry / Biotechnology; Biochemical engineering; Biochemistry; Genetic Techniques; Microbiological Techniques; Biochimie; Biotechnologie|0885-4513|Monthly| |PORTLAND PRESS LTD +2290|Biotechnology and Bioengineering|Biology & Biochemistry / Biotechnology; Bioengineering; Biochemistry; Microbiology; Technology; Biochimie; Microbiologie; Technologie; Génie biologique|0006-3592|Semimonthly| |JOHN WILEY & SONS INC +2291|Biotechnology and Bioprocess Engineering|Biology & Biochemistry / Biotechnology; Biomedical Engineering; Biomedical Technology; Biomedical engineering|1226-8372|Bimonthly| |KOREAN SOC BIOTECHNOLOGY & BIOENGINEERING +2292|Biotechnology for Biofuels|Biology & Biochemistry /|1754-6834|Monthly| |BIOMED CENTRAL LTD +2293|Biotechnology Healthcare| |1554-169X|Bimonthly| |BIOCOMMUNICATIONS LLC +2294|Biotechnology Journal|Biology & Biochemistry / Biotechnology|1860-6768|Monthly| |WILEY-V C H VERLAG GMBH +2295|Biotechnology Law Report|Biology & Biochemistry / Genetic engineering; Recombinant DNA; Microorganisms; Genetic Engineering; Jurisprudence; Microbiological Techniques; Patents|0730-031X|Bimonthly| |MARY ANN LIEBERT INC +2296|Biotechnology Letters|Biology & Biochemistry / Biotechnology; Biochemical engineering; Biochemistry; Biomedical Engineering; Microbiology / Biotechnology; Biochemical engineering; Biochemistry; Biomedical Engineering; Microbiology / Biotechnology; Biochemical engineering; Bio|0141-5492|Semimonthly| |SPRINGER +2297|Biotechnology Progress|Biology & Biochemistry / Biotechnology; Genetic engineering; Biomedical Engineering; Food Technology; Technology, Pharmaceutical; Food industry and trade; Bioengineering; Biotechnologie|8756-7938|Bimonthly| |JOHN WILEY & SONS LTD +2298|Biotechnology Techniques|Biology & Biochemistry / Biotechnology; Methods; Science; Biotechnologie|0951-208X|Monthly| |SPRINGER +2299|Biotechnology-Pakistan| |1682-296X|Quarterly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +2300|Biotecnologia Vegetal| |1609-1841|Tri-annual| |INST BIOTECNOLOGIA LAS PLANTAS +2301|Biotekhnologiya| |0234-2758|Bimonthly| |BIOTEKHNOLOGICHESKAYA AKAD RF +2302|Biotemas| |0103-1643|Semiannual| |UNIV FEDERAL SANTA CATARINA +2303|Biotropia| |0215-6334|Semiannual| |SEAMEO-BIOTROP +2304|Biotropica|Environment/Ecology / Biology; Biologie|0006-3606|Quarterly| |WILEY-BLACKWELL PUBLISHING +2305|Bioved| |0971-0108|Annual| |BIOVED RESEARCH SOC +2306|Bipedia| |0993-9555|Annual| |CERBI +2307|Bipolar Disorders|Psychiatry/Psychology / Manic-depressive illness; Bipolar Disorder|1398-5647|Bimonthly| |WILEY-BLACKWELL PUBLISHING +2308|Bird Behavior| |0156-1383|Semiannual| |COGNIZANT COMMUNICATION CORP +2309|Bird Conservation International|Environment/Ecology / Birds; Oiseaux|0959-2709|Quarterly| |CAMBRIDGE UNIV PRESS +2310|Bird Observer-Nunawading| |0313-5888|Bimonthly| |BIRD OBSERVERS CLUB AUSTRALIA +2311|Bird Populations| |1074-1755|Annual| |INST BIRD POPULATIONS +2312|Bird Research| |1880-1595|Annual| |JAPAN BIRD RESEARCH ASSOC +2313|Bird Study|Plant & Animal Science /|0006-3657|Tri-annual| |TAYLOR & FRANCIS LTD +2314|Bird Trends| |1185-5967|Annual| |CANADIAN WILDLIFE SERVICE +2315|Birding World| |0966-0283|Monthly| |BIRD INFORMATION SERVICE +2316|Birdingasia| |1744-537X|Semiannual| |ORIENTAL BIRD CLUB +2317|Birdlife Conservation Series| | |Irregular| |BIRDLIFE INT +2318|Birdlife Cyprus Annual Report| | |Irregular| |BIRDLIFE CYPRUS +2319|Birdlife International Vietnam Programme Conservation Report| | |Irregular| |BIRDLIFE INT VIETNAM PROG +2320|Birdlife Jamaica Broadsheet| |0799-0936|Semiannual| |BIRDLIFE JAMAICA +2321|Birds and Wildlife in Cumbria| |1363-5700|Annual| |CUMBRIA NATURALISTS UNION +2322|Birds in Greater Manchester| |0962-0761|Annual| |GREATER MANCHESTER BIRD RECORDING GROUP +2323|Birds in Northumbria| |0309-2208|Annual| |NORTHUMBERLAND TYNESIDE BIRD CLUB +2324|Birds in the Sheffield Area| |1363-3082|Annual| |SHEFFIELD BIRD STUDY GROUP +2325|Birds of North America| |1061-5466|Weekly| |BIRDS NORTH AMER INC +2326|Birds of Oxfordshire| |1367-272X|Annual| |OXFORD ORNITHOLOGICAL SOC +2327|Birth Defects Research Part A-Clinical and Molecular Teratology|Pharmacology & Toxicology / Teratology; Abnormalities, Human; Abnormalities|1542-0752|Monthly| |WILEY-LISS +2328|Birth Defects Research Part B-Developmental and Reproductive Toxicology|Pharmacology & Toxicology / Developmental toxicology; Reproductive toxicology; Abnormalities, Drug-Induced; Reproduction; Teratogens; Mutagens|1542-9733|Bimonthly| |WILEY-LISS +2329|Birth Defects Research Part C-Embryo Today-Reviews|Molecular Biology & Genetics / Human embryo; Abnormalities, Human; Embryo|1542-975X|Quarterly| |WILEY-LISS +2330|Birth-Issues in Perinatal Care|Clinical Medicine / Childbirth; Obstetrics; Newborn infants; Natural Childbirth; Accouchement; Obstétrique; Nouveau-nés; Verloskundige zorg|0730-7659|Quarterly| |WILEY-BLACKWELL PUBLISHING +2331|Bishop Museum Bulletin in Cultural and Environmental Studies| |1548-9620| | |BISHOP MUSEUM PRESS +2332|Bishop Museum Bulletins in Zoology| |0893-312X|Irregular| |BISHOP MUSEUM PRESS +2333|Bishop Museum Occasional Papers| |0893-1348|Annual| |BISHOP MUSEUM PRESS +2334|Bishop Museum Technical Report| |1085-455X|Irregular| |BISHOP MUSEUM PRESS +2335|Bit Numerical Mathematics|Engineering / Computers; Electronic data processing / Computers; Electronic data processing|0006-3835|Quarterly| |SPRINGER +2336|Bitki Koruma Bulteni| |0406-3597|Semiannual| |ZIRAI MUCADELE ARASTIRMA ENSTITUSU MUDURLUGU +2337|Bjog-An International Journal of Obstetrics and Gynaecology|Clinical Medicine / Gynecology; Obstetrics; Pregnancy Complications|1470-0328|Monthly| |WILEY-BLACKWELL PUBLISHING +2338|BJU International|Clinical Medicine / Urology; Genitourinary organs; Urologic Diseases; Genital Diseases, Male; Urogenital Diseases; Urologie|1464-4096|Semimonthly| |WILEY-BLACKWELL PUBLISHING +2339|Black Music Research Journal|African Americans; Music|0276-3605|Semiannual| |CENTER BLACK MUSIC RESEARCH +2340|Black Scholar|Social Sciences, general|0006-4246|Tri-annual| |BLACK WORLD FOUNDATION +2341|Blake-An Illustrated Quarterly| |0160-628X|Quarterly| |BLAKE +2342|Bliki| |0256-4181|Irregular| |ICELANDIC INST NATURAL HISTORY +2343|Blood|Clinical Medicine / Blood; Hematology; Hématologie|0006-4971|Semimonthly| |AMER SOC HEMATOLOGY +2344|Blood Cells Molecules and Diseases|Clinical Medicine / Blood; Blood Cells; Hematologic Diseases; Sang|1079-9796|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2345|Blood Coagulation & Fibrinolysis|Clinical Medicine / Blood; Hemostasis; Thrombosis; Fibrinolysis; Blood Coagulation; Bloedstolling; Stollingsfactoren; Fibrinolyse; Trombose / Blood; Hemostasis; Thrombosis; Fibrinolysis; Blood Coagulation; Bloedstolling; Stollingsfactoren; Fibrinolyse; T|0957-5235|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +2346|Blood Pressure|Clinical Medicine / Blood pressure; Hypertension; Blood Pressure; Hypertensie|0803-7051|Bimonthly| |TAYLOR & FRANCIS AS +2347|Blood Pressure Monitoring|Clinical Medicine / Blood pressure; Blood Pressure Determination; Blood Pressure Monitoring, Ambulatory; Blood Pressure Monitors; Hypertension|1359-5237|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +2348|Blood Purification|Clinical Medicine / Hemodialysis; Blood; Hematology; Renal Dialysis; Ultrafiltration|0253-5068|Bimonthly| |KARGER +2349|Blood Reviews|Clinical Medicine / Hematology; Hématologie|0268-960X|Bimonthly| |CHURCHILL LIVINGSTONE +2350|Blue Jay| |0006-5099|Quarterly| |NATURE SASKATCHEWAN +2351|Blumea|Plant & Animal Science /|0006-5196|Tri-annual| |RIJKSHERBARIUM +2352|Blutalkohol| |0006-5250|Bimonthly| |STEINTOR-VERLAG GMBH +2353|Blyttia| |0006-5269|Quarterly| |NORSK BOTANISK FORENING +2354|Bmb Reports| |1976-6696|Monthly| |KOREAN SOCIETY BIOCHEMISTRY & MOLECULAR BIOLOGY +2355|BMC Biochemistry|Biology & Biochemistry / Biochemistry|1471-2091|Monthly| |BIOMED CENTRAL LTD +2356|BMC Bioinformatics|Computer Science / Bioinformatics; Computational Biology|1471-2105|Monthly| |BIOMED CENTRAL LTD +2357|BMC Biology|Biology & Biochemistry / Biology; Medical sciences; Biomedical Research|1741-7007|Irregular| |BIOMED CENTRAL LTD +2358|BMC Biotechnology|Biology & Biochemistry / Biotechnology|1472-6750|Monthly| |BIOMED CENTRAL LTD +2359|BMC Cancer|Clinical Medicine / Cancer; Neoplasms|1471-2407|Irregular| |BIOMED CENTRAL LTD +2360|BMC Cardiovascular Disorders|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases|1471-2261|Irregular| |BIOMED CENTRAL LTD +2361|BMC Cell Biology|Molecular Biology & Genetics / Cytology; Cells; Cell Physiology; Cytological Techniques|1471-2121|Monthly| |BIOMED CENTRAL LTD +2362|BMC Chemical Biology|Biochemistry; Chemistry, Pharmaceutical|1472-6769|Monthly| |BIOMED CENTRAL LTD +2363|BMC Complementary and Alternative Medicine|Clinical Medicine / Alternative medicine; Complementary Therapies|1472-6882|Irregular| |BIOMED CENTRAL LTD +2364|BMC Developmental Biology|Molecular Biology & Genetics / Developmental biology; Developmental Biology|1471-213X|Monthly| |BIOMED CENTRAL LTD +2365|BMC Ecology|Ecology; Environment; Population|1472-6785|Monthly| |BIOMED CENTRAL LTD +2366|BMC Evolutionary Biology|Biology & Biochemistry / Evolution (Biology); Evolution; Evolution, Molecular|1471-2148|Monthly| |BIOMED CENTRAL LTD +2367|BMC Family Practice|Clinical Medicine / Family medicine; Family Practice; Community Health Services; Primary Health Care|1471-2296|Semiannual| |BIOMED CENTRAL LTD +2368|BMC Gastroenterology|Clinical Medicine / Gastroenterology; Gastrointestinal Diseases; Biliary Tract Diseases; Molecular Biology; Liver Diseases|1471-230X|Irregular| |BIOMED CENTRAL LTD +2369|BMC Genetics|Molecular Biology & Genetics / Genetics; Genetic Techniques|1471-2156|Monthly| |BIOMED CENTRAL LTD +2370|BMC Genomics|Molecular Biology & Genetics / Genomes; Gene mapping; Genomics; Base Sequence; Chromosome Mapping; Genetic Techniques; Sequence Analysis, DNA|1471-2164|Monthly| |BIOMED CENTRAL LTD +2371|BMC Health Services Research|Social Sciences, general / Public health; Health Services Research|1472-6963|Irregular| |BIOMED CENTRAL LTD +2372|BMC Immunology|Immunology / Immunology; Immune System; Immunity; Immunologic Diseases; Immunologic Techniques|1471-2172|Monthly| |BIOMED CENTRAL LTD +2373|BMC Infectious Diseases|Clinical Medicine / Communicable diseases; Communicable Diseases; Sexually Transmitted Diseases|1471-2334|Irregular| |BIOMED CENTRAL LTD +2374|BMC Medical Ethics|Social Sciences, general / Medical ethics; Ethics, Clinical; Ethics; Ethics, Medical|1472-6939|Irregular| |BIOMED CENTRAL LTD +2375|BMC Medical Genetics|Molecular Biology & Genetics / Medical genetics; Genetics, Medical; Genetic Diseases, Inborn|1471-2350|Irregular| |BIOMED CENTRAL LTD +2376|BMC Medical Genomics|Molecular Biology & Genetics / Medical genetics; Genomics; Genetics, Medical|1755-8794|Irregular| |BIOMED CENTRAL LTD +2377|BMC Medical Imaging|Diagnostic imaging; Diagnostic Imaging|1471-2342|Irregular| |BIOMED CENTRAL LTD +2378|BMC Medical Informatics and Decision Making|Clinical Medicine / Medical informatics; Clinical medicine; Medical Informatics; Decision Making|1472-6947|Irregular| |BIOMED CENTRAL LTD +2379|BMC Medical Research Methodology|Clinical Medicine / Medicine; Health Services Research|1471-2288|Irregular| |BIOMED CENTRAL LTD +2380|BMC Medicine|Clinical Medicine / Medicine|1741-7015|Monthly| |BIOMED CENTRAL LTD +2381|BMC Microbiology|Microbiology / Microbiology; Microbiological Techniques|1471-2180|Monthly| |BIOMED CENTRAL LTD +2382|BMC Molecular Biology|Molecular Biology & Genetics / Molecular biology; Molecular Biology|1471-2199|Monthly| |BIOMED CENTRAL LTD +2383|BMC Musculoskeletal Disorders|Clinical Medicine / Musculoskeletal system; Musculoskeletal Diseases|1471-2474|Irregular| |BIOMED CENTRAL LTD +2384|BMC Neurology|Neuroscience & Behavior / Neurology; Nervous System Diseases|1471-2377|Monthly| |BIOMED CENTRAL LTD +2385|BMC Neuroscience|Neuroscience & Behavior / Neurosciences; Nervous System; Neurologic Manifestations|1471-2202|Monthly| |BIOMED CENTRAL LTD +2386|BMC Pediatrics|Clinical Medicine / Pediatrics|1471-2431|Irregular| |BIOMED CENTRAL LTD +2387|BMC Pharmacology|Pharmacology; Pharmaceutical Preparations|1471-2210|Monthly| |BIOMED CENTRAL LTD +2388|BMC Physiology|Physiology|1472-6793|Monthly| |BIOMED CENTRAL LTD +2389|BMC Plant Biology|Plant & Animal Science / Plant molecular biology; Botany; Plants|1471-2229|Monthly| |BIOMED CENTRAL LTD +2390|BMC Psychiatry|Psychiatry/Psychology / Psychiatry; Mental Disorders|1471-244X|Irregular| |BIOMED CENTRAL LTD +2391|BMC Public Health|Social Sciences, general / Public health; Public Health; Epidemiology|1471-2458|Irregular| |BIOMED CENTRAL LTD +2392|BMC Structural Biology|Biology & Biochemistry / Molecular biology; Molecular Biology; Macromolecular Systems; Models, Structural|1471-2237|Monthly| |BIOMED CENTRAL LTD +2393|BMC Systems Biology|Biology & Biochemistry / Systems Biology; Cell Physiology; Systems biology; Cell physiology; Genes|1752-0509|Irregular| |BIOMED CENTRAL LTD +2394|BMC Veterinary Research|Plant & Animal Science / Veterinary medicine; Animal Diseases|1746-6148|Monthly| |BIOMED CENTRAL LTD +2395|Bocagiana-Funchal| |0523-7904|Irregular| |MUSEU MUNICIPAL FUNCHAL +2396|Body & Society|Social Sciences, general / Body, Human; Social sciences|1357-034X|Quarterly| |SAGE PUBLICATIONS LTD +2397|Body Image|Social Sciences, general / Body image; Body Image; Lichaamsbewustheid|1740-1445|Quarterly| |ELSEVIER SCIENCE BV +2398|Boei Ika Daigakko Zasshi| |0385-1796|Quarterly| |NATL DEFENSE MEDICAL COLL +2399|Bohemia Centralis| |0231-5807| | |AGENTURA OCHRANY PRIRODY KRAJINY CR +2400|Bois et Forets des Tropiques|Plant & Animal Science|0006-579X|Quarterly| |CIRAD-CENTRE COOPERATION INT RECHERCHE AGRONOMIQUE POUR +2401|Boissiera| |0373-2975|Irregular| |CONSERVATOIRE ET JARDIN BOTANIQUES VILLE GENEVE +2402|Bolema-Mathematics Education Bulletin-Boletim de Educacao Matematica|Mathematics|0103-636X|Tri-annual| |UNESP-DEPT MATHEMATICA +2403|Boletim Ceo| |0103-8311|Semiannual| |CENTRO ESTUDOS ORNITOLOGICOS +2404|Boletim Da Sociedade Broteriana| |0081-0657|Annual| |UNIV COIMBRA +2405|Boletim Da Sociedade Portuguesa de Entomologia| |0870-7227|Irregular| |SOC PORTUGUESA ENTOMOLOGIA +2406|Boletim de Botanica Da Universidade de Sao Paulo| |0302-2439|Annual| |UNIV SAO PAULO +2407|Boletim de Ciencias Geodesicas|Geosciences|1413-4853|Semiannual| |UNIV FEDERAL PARANA +2408|Boletim Do Centro de Pesquisa de Processamento de Alimentos|Agricultural Sciences|0102-0323|Semiannual| |CENTRO PESQUISA PROCESSAMENTO ALIMENTOS +2409|Boletim Do Instituto de Botanica-Sao Paulo| |0074-0055|Irregular| |INST BOTANICA-SAO PAULO +2410|Boletim Do Instituto de Pesca|Plant & Animal Science|0046-9939|Semiannual| |INST PESCA +2411|Boletim Do Laboratorio de Hidrobiologia| |0102-4337|Annual| |UNIV FED MARANHAO +2412|Boletim Do Museu de Biologia Mello Leitao| |0103-9121|Quarterly| |MUSEU DE BIOLOGIA PROF MELLO LEITAO +2413|Boletim Do Museu Municipal Do Funchal| |0870-3876|Annual| |MUSEU MUNICIPAL FUNCHAL +2414|Boletim Do Museu Nacional Botanica-Rio de Janeiro| |0080-3197|Irregular| |MUSEU NACIONAL UNIV FEDERAL RIO DE JANEIRO +2415|Boletim Do Museu Nacional Nova Serie Geologia| |0080-3200|Irregular| |UNIV FEDERAL DO RIO JANEIRO +2416|Boletim Do Museu Nacional Rio de Janeiro Zoologia| |0080-312X|Irregular| |MUSEU NACIONAL UNIV FEDERAL RIO DE JANEIRO +2417|Boletim do Museu Paraense Emílio Goeldi Ciências Naturais| |1981-8114|Tri-annual| |MUSEU PARAENSE EMILIO GOELDI +2418|Boletim Do Museu Paraense Emilio Goeldi-Botanica| |0077-2216|Semiannual| |MUSEU PARAENSE EMILIO GOELDI +2419|Boletim Do Museu Paraense Emilio Goeldi-Ciencias Da Terra| |0103-4278|Semiannual| |MUSEU PARAENSE EMILIO GOELDI +2420|Boletim Tecnico Do Cepta| |0103-1112|Annual| |CEPTA +2421|Boletim Tecnico-Cientifico Do Cepene| |0104-6411|Annual| |IBAMA-CEPENE +2422|Boletim Tecnico-Cientifico Do Cepnor| |1676-5664|Annual| |CENTRO PESQUISA GESTAO RECURSOS PESQUEIROS LITORAL NORTE +2423|Boletin Antartico Chileno| |0716-0763|Semiannual| |INST ANTARTICO CHILENO +2424|Boletin Chileno de Ornitologia| |0717-1897|Annual| |UNION ORNITOLOGOS CHILE-AVESCHILE +2425|Boletin Cientifico Museo de Historia Natural Universidad de Caldas| |0123-3068|Irregular| |UNIV CALDAS +2426|Boletin de Biodiversidad de Chile| |0718-8412|Semiannual| |CENTRO ESTUDIOS BIODIVERSIDAD-CEBCH +2427|Boletin de Entomologia Venezolana Serie Monografias| | |Irregular| |SOC VENEZOLANA ENTOMOLOGIA +2428|Boletin de Investigaciones Marinas Y Costeras| |0122-9761|Semiannual| |INVEMAR +2429|Boletin de la Academia de Ciencias Fisicas Matematicas Y Naturales| |0366-1652|Semiannual| |ACAD CIEN FISICAS MATH NAT +2430|Boletin de la Academia Nacional de Ciencias| |0325-2051|Monthly| |ACAD NACIONAL CIENCIAS +2431|Boletin de la Asociacion Cultural Paleontologica Murciana| |1697-5464|Semiannual| |MURCIANA CENTRO ENSENANZA SECUNDARIA +2432|Boletin de la Asociacion de Geografos Espanoles|Social Sciences, general|0212-9426|Semiannual| |ASOCIACION GEOGRAFOS ESPANOLES +2433|Boletin de la Asociacion Espanola de Entomologia| |0210-8984|Semiannual| |ASOCIACION ESPANOLA ENTOMOLOGIA +2434|Boletin de la Asociacion Herpetologica Espanola| |1130-6939|Annual| |ASOC HERPETOL ESPAN +2435|Boletin de la Asociacion Primatologica Espanola| |1577-2802|Tri-annual| |ASOC PRIMATOL ESPAN +2436|Boletin de la Direccion de Malariologia Y Saneamiento Ambiental| |0304-5382|Semiannual| |MINISTERIO SALUD DESARROLLO SOCIAL +2437|Boletin de la Real Academia Espanola| |0210-4822|Tri-annual| |GREDOS +2438|Boletin de la Real Sociedad Espanola de Historia Natural Actas| |0583-7499|Annual| |REAL SOC ESPANOLA HISTORIA NATURAL +2439|Boletin de la Real Sociedad Espanola de Historia Natural Seccion Biologica| |0366-3272|Annual| |REAL SOC ESPANOLA HISTORIA NATURAL +2440|Boletin de la Real Sociedad Espanola de Historia Natural Seccion Geologica| |0583-7510|Annual| |REAL SOC ESPANOLA HISTORIA NATURAL +2441|Boletin de la Sea-Sociedad Entomologica Aragonesa| |1134-6094|Quarterly| |SOC ENTOMOLOGICA ARAGONESA +2442|Boletin de la Sociedad Andaluza de Entomologia| |1578-1666|Quarterly| |SOC ANDALUZA ENTOMOLOGIA +2443|Boletin de la Sociedad Argentina de Botanica| |0373-580X|Quarterly| |SOC ARGENTINA BOTANICA +2444|Boletin de la Sociedad Botanica de Mexico|Plant & Animal Science|0366-2128|Semiannual| |SOC BOTANICA MEXICO +2445|Boletin de la Sociedad de Biologia de Concepcion| |0037-850X|Semiannual| |SOC BIOLOGIA CONCEPCION +2446|Boletin de la Sociedad Espanola de Ceramica Y Vidrio|Materials Science|0366-3175|Irregular| |SOC ESPANOLA CERAMICA VIDRIO +2447|Boletin de la Sociedad Geologica Mexicana| |1405-3322|Irregular| |UNIV NACIONAL AUTONOMA MEXICO +2448|Boletin de la Sociedad Venezolana de Espeleologia| |0583-7731|Annual| |SOC VENEZOLANA ESPELEOLOGIA +2449|Boletin de la Sociedad Zoologica Del Uruguay Segunda Epoca Publicacion Anexa| |0255-4402|Irregular| |SOCIEDAD ZOOLOGICA URUGUAY +2450|Boletin de Malariologia Y Salud Ambiental| |1690-4648|Semiannual| |INST ALTOS ESTUDIOS +2451|Boletin de Sanidad Vegetal Plagas| |0213-6910|Quarterly| |MINISTERIO AGRICULTURA +2452|Boletin Del Centro de Investigaciones Biologicas Universidad Del Zulia| |0375-538X|Semiannual| |UNIV ZULIA +2453|Boletin Del Instituto de Fisiografia Y Geologia Universidad Nacional de Rosario| |1666-115X|Annual| |UNIV NACIONAL ROSARIO +2454|Boletin Del Instituto Oceanografico de Venezuela| |0798-0639|Annual| |UNIV ORIENTE +2455|Boletin Del Killi Club Argentino| | | | |BOLETIN DEL KILLI CLUB ARGENTINO +2456|Boletin Del Museo de Entomologia de la Universidad Del Valle| |0121-733X|Semiannual| |UNIV VALLE +2457|Boletin Del Museo Nacional de Historia Natural Del Paraguay| |1680-4031|Irregular| |MUSEO HISTORIA NATURAL PARAGUAY +2458|Boletin Geologico Y Minero| |0366-0176|Quarterly| |INST GEOLOGICA MINERO ESPANA +2459|Boletin Instituto Espanol de Oceanografia| |0074-0195|Semiannual| |INSTITUTO ESPANOL OCEANOGRAFIA +2460|Boletin Instituto Geologico Minero Y Metalurgico Serie D Estudios Regionales| |1607-5617|Irregular| |INST GEOLOGICO MINERO METALURGICO-INGEMMET +2461|Boletin Latinoamericano Y Del Caribe de Plantas Medicinales Y Aromaticas|Pharmacology & Toxicology|0717-7917|Bimonthly| |SOC FITOQUIMICA LATINOAMERICANA +2462|Boletin Sao| |0123-9082|Semiannual| |SOC ANTIOQUENA ORNITOLOGIA +2463|Boletin Sedeck| |1696-1897|Irregular| |SOC ESPANOLA ESPELEOLOGIA CIENCIAS KARST-SEDECK +2464|Boletus| |0232-4598|Semiannual| |NABU LANDESVERBAND SACHSEN E V +2465|Bolleti de la Societat D Historia Natural de Les Balears| |0212-260X|Annual| |SOC HISTORIA NATURAL BALEARS +2466|Bollettino Chimico Farmaceutico| |0006-6648|Monthly| |SOC EDITORIALE FARMACEUTICA +2467|Bollettino Dei Musei E Degli Istituti Biologici Dell Universita Di Genova| |0373-4110|Irregular| |UNIV GENOVA +2468|Bollettino Del Laboratorio Di Entomologia Agraria-Filippo Silvestri| |0304-0658|Annual| |UNIV NAPOLI FEDERICO II +2469|Bollettino Del Museo Civico Di Storia Naturale Di Venezia| |0505-205X|Annual| |MUSEO CIVICO STORIA NATURALE VENEZIA +2470|Bollettino Del Museo Civico Di Storia Naturale Di Verona Botanica Zoologica| |1590-8399|Annual| |MUSEO CIVICO STORIA NATURALE VERONA +2471|Bollettino Del Museo Civico Di Storia Naturale Di Verona Geologia Paleontologia Preistoria| |1590-8402|Annual| |MUSEO CIVICO STORIA NATURALE VERONA +2472|Bollettino Del Servizio Geologico D Italia| |0366-2241|Irregular| |SERVIZIO GEOLOGICO ITALIA +2473|Bollettino Dell Associazione Romana Di Entomologia| |0004-6000|Annual| |ASSOC ROMANA ENTOMOLOGIA +2474|Bollettino Della Societa Entomologica Italiana| |0373-3491|Tri-annual| |SOC ENTOMOLOGICA ITALIANA +2475|Bollettino Della Societa Geologica Italiana|Geosciences|0037-8763|Tri-annual| |SOC GEOLOGICA ITALIANA +2476|Bollettino Della Societa Italiana Di Farmacia Ospedaliera| |0037-8798|Bimonthly| |PENSIERO SCIENTIFICO EDITOR +2477|Bollettino Della Societa Paleontologica Italiana|Geosciences|0375-7633|Tri-annual| |SOC PALEONTOLOGICA ITALIANA +2478|Bollettino Della Societa Sarda Di Scienze Naturali| |0392-6710|Annual| |SOC SARDA SCIENZE NATURALI +2479|Bollettino Della Societa Ticinese Di Scienze Naturali| |0379-1254|Annual| |SOC TICINESE SCIENZE NATURALI +2480|Bollettino Di Geofisica Teorica Ed Applicata|Geosciences|0006-6729|Quarterly| |ISTITUTO NAZIONALE DI OCEANOGRAFIA E DI GEOFISICA +2481|Bollettino Di Storia Delle Scienze Matematiche| |0392-4432|Semiannual| |FABRIZIO SERRA EDITORE +2482|Bollettino Malacologico| |0394-7149|Tri-annual| |SOC ITALIANA MALACOLOGIA +2483|Bombus| |0724-4223|Irregular| |VEREIN NATURWISSENSCHAFTLICHE HEIMATFORSCHUNG +2484|Bone|Clinical Medicine / Bones; Bone; Metabolism; Bone Diseases, Metabolic|8756-3282|Monthly| |ELSEVIER SCIENCE INC +2485|Bone Marrow Transplantation|Clinical Medicine / Bone marrow; Bone Marrow Transplantation|0268-3369|Semimonthly| |NATURE PUBLISHING GROUP +2486|Bongo| |0174-4038|Annual| |ZOO BERLIN +2487|Bonn Zoological Bulletin| |0006-7172|Semiannual| |ZOOLOGISCHES FORSCHUNGSINSTITUT & MUSEUM ALEXANDER KOENIG +2488|Bonner Zoologische Beitraege| |0006-7172|Quarterly| |ZOOLOGISCHES FORSCHUNGSINSTITUT & MUSEUM ALEXANDER KOENIG +2489|Bonner Zoologische Monographien| |0302-671X|Irregular| |ZOOLOGISCHES FORSCHUNGSINSTITUT & MUSEUM ALEXANDER KOENIG +2490|Book Collector| |0006-7237|Quarterly| |COLLECTOR LTD +2491|Boomklever| | |Irregular| |NATUURSTUDIEGROEP DIJLELAND +2492|Boreal Environment Research|Environment/Ecology|1239-6095|Bimonthly| |FINNISH ENVIRONMENT INST +2493|Boreas|Geosciences / Geology, Stratigraphic; Stratigraphie; Quartair|0300-9483|Quarterly| |WILEY-BLACKWELL PUBLISHING +2494|Borneo Research Bulletin| |0006-7806|Annual| |BORNEO RESEARCH COUNCIL +2495|Bosnian Journal of Basic Medical Sciences|Clinical Medicine|1512-8601|Quarterly| |ASSOC BASIC MEDICAL SCI FEDERATION BOSNIA & HERZEGOVINA SARAJEVO +2496|Bosque|Plant & Animal Science|0304-8799|Tri-annual| |UNIV AUSTRAL CHILE +2497|Boston Medical and Surgical Journal| |0096-6762| | |MASSACHUSETTS MEDICAL SOC +2498|Boston University Law Review|Social Sciences, general|0006-8047|Bimonthly| |BOSTON UNIV LAW REVIEW +2499|Botanica Helvetica|Plant & Animal Science / Botany; Plants|0253-1453|Semiannual| |BIRKHAUSER VERLAG AG +2500|Botanica Lithuanica| |1392-1665|Quarterly| |VILNIUS UNIV +2501|Botanica Marina|Plant & Animal Science / Marine algae|0006-8055|Bimonthly| |WALTER DE GRUYTER & CO +2502|Botanical Gazette|Botany; Plantkunde|0006-8071|Quarterly| |UNIV CHICAGO PRESS +2503|Botanical Journal of the Linnean Society|Plant & Animal Science / Botany; Plantkunde; Plantes; Botanique|0024-4074|Monthly| |WILEY-BLACKWELL PUBLISHING +2504|Botanical Review|Plant & Animal Science / Botany; Plantkunde; Botanique|0006-8101|Quarterly| |SPRINGER +2505|Botanical Studies|Plant & Animal Science|1817-406X|Quarterly| |ACAD SINICA +2506|Botanicheskii Zhurnal-St. Petersburg| |0006-8136|Monthly| |SANKT-PETERBURGSKAYA IZDATEL SKAYA FIRMA RAN +2507|Botanische Jahrbücher für Systematik Pflanzengeschichte und Pflanzengeographie|Botany; Plantengeografie; Paleobotanie; Taxonomie|0006-8152|Annual| |E. SCHWEIZERBART SCIENCE PUBLISHERS +2508|Botaniska Notiser| |1650-3767|Quarterly| |LUNDS BOTANISKA FORENING +2509|Botany-Botanique|Plant & Animal Science / Botany; Plantes|1916-2790|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +2510|Bothalia|Plant & Animal Science|0006-8241|Semiannual| |NATL BOTANICAL INST +2511|Boundary 2-An International Journal of Literature and Culture|Literature, Modern; Littérature; Amerikaans; Letterkunde; Aspect politique; Culture; Étude culturelle; 20e siècle|0190-3659|Tri-annual| |DUKE UNIV PRESS +2512|Boundary Value Problems|Mathematics / Boundary value problems|1687-2762|Irregular| |HINDAWI PUBLISHING CORPORATION +2513|Boundary-Layer Meteorology|Geosciences / Boundary layer (Meteorology); Meteorologie; Grenslagen; Couche limite (Météorologie) / Boundary layer (Meteorology); Meteorologie; Grenslagen; Couche limite (Météorologie)|0006-8314|Monthly| |SPRINGER +2514|Bourgogne Nature| |1777-1226|Semiannual| |BOURGOGNE NATURE +2515|Bovine Practitioner| |0524-1685|Semiannual| |AMER ASSOC BOVINE PRACTITIONERS +2516|Brachytherapy|Clinical Medicine / Radioisotope brachytherapy; Cancer; Radioisotopes; Brachytherapy; Neoplasms; Brachytherapie; Radiothérapie de contact; Curiethérapie|1538-4721|Quarterly| |ELSEVIER SCIENCE INC +2517|Brachytron| |1386-3460|Semiannual| |NEDERLANDSE VERENIGING VOOR LIBELLENSTUDIE +2518|Bradea| |0084-800X|Irregular| |HERBARIUM BRADEANUM +2519|Bradleya|Plant & Animal Science|0265-086X|Annual| |BRITISH CACTUS & SUCCULENT SOC +2520|Bragantia|Agriculture|0006-8705|Tri-annual| |INST AGRONOMICO +2521|Brain|Neuroscience & Behavior / Neurology; Neurologie|0006-8950|Monthly| |OXFORD UNIV PRESS +2522|Brain & Development|Neuroscience & Behavior / Pediatric neurology; Brain; Child Development; Nervous System Diseases; Pediatrics; Child; Infant|0387-7604|Monthly| |ELSEVIER SCIENCE BV +2523|Brain and Cognition|Neuroscience & Behavior / Brain; Cognition; Cognition disorders; Neuropsychology; Neurophysiology; Psychophysiology; Cerveau; Cognition, Troubles de la; Neuropsychologie|0278-2626|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2524|Brain and Language|Neuroscience & Behavior / Speech disorders; Speech; Brain; Language; Psycholinguistics; Speech Disorders|0093-934X|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2525|Brain and Nerve| |1881-6096|Monthly| |IGAKU-SHOIN LTD +2526|Brain Behavior and Evolution|Neuroscience & Behavior / Animal behavior; Nervous system; Behavior; Evolution; Neurophysiology; Système nerveux; Cerveau; Neurologie|0006-8977|Bimonthly| |KARGER +2527|Brain Behavior and Immunity|Neuroscience & Behavior / Neuroimmunology; Psychoneuroimmunology|0889-1591|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +2528|Brain Imaging and Behavior|Neuroscience & Behavior / Brain; Diagnostic Techniques, Neurological; Behavior and Behavior Mechanisms|1931-7557|Quarterly| |SPRINGER +2529|Brain Impairment|Neuroscience & Behavior / Brain Diseases|1443-9646|Tri-annual| |AUSTRALIAN ACAD PRESS +2530|Brain Injury|Clinical Medicine / Brain damage; Brain; Brain Injuries|0269-9052|Monthly| |TAYLOR & FRANCIS LTD +2531|Brain Pathology|Neuroscience & Behavior / Nervous system; Brain; Neurology; Brain Diseases|1015-6305|Quarterly| |WILEY-BLACKWELL PUBLISHING +2532|Brain Research|Neuroscience & Behavior / Brain; Neurology; Cerveau; Neurologie; Hersenen; Onderzoek|0006-8993|Weekly| |ELSEVIER SCIENCE BV +2533|Brain Research Bulletin|Neuroscience & Behavior / Brain; Neurochemistry; Neuropsychology; Research; Cerveau; Neurochimie|0361-9230|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +2534|Brain Research Reviews|Neuroscience & Behavior / Brain; Review Literature|0165-0173|Bimonthly| |ELSEVIER SCIENCE BV +2535|Brain Stimulation|Neuroscience & Behavior / Electric Stimulation; Brain; Diagnostic Techniques, Neurological|1935-861X|Quarterly| |ELSEVIER SCIENCE INC +2536|Brain Structure & Function|Molecular Biology & Genetics / Brain|1863-2653|Bimonthly| |SPRINGER HEIDELBERG +2537|Brain Topography|Neuroscience & Behavior / Brain mapping; Neurophysiology; Electroencephalography; Brain Mapping; Cerebrale stoornissen; Elektro-encefalografie; Hersenpotentialen; Zenuwstelselaandoeningen|0896-0267|Quarterly| |SPRINGER +2538|Brain Tumor Pathology|Neuroscience & Behavior / Brain; Brain Neoplasms|1433-7398|Semiannual| |SPRINGER TOKYO +2539|Bratislava Medical Journal-Bratislavske Lekarske Listy|Clinical Medicine|0006-9248|Monthly| |COMENIUS UNIV +2540|Braueria| |1026-3632|Annual| |DR HANS MALICKY +2541|Braunschweiger Naturkundliche Schriften| |0174-3384|Annual| |STAATLICHES NATURHISTORISCHES MUSEUM +2542|Brazilian Archives of Biology and Technology|Biology & Biochemistry / Biology; Agriculture; Technology; Biological Phenomena|1516-8913|Quarterly| |INST TECNOLOGIA PARANA +2543|Brazilian Journal of Aquatic Science and Technology| |1808-7035|Semiannual| |UNIV DO VALE DO ITAJAI +2544|Brazilian Journal of Biology|Biology & Biochemistry / Biology; Natural history; Tropical Climate|1519-6984|Quarterly| |INT INST ECOLOGY +2545|Brazilian Journal of Chemical Engineering|Chemistry /|0104-6632|Quarterly| |BRAZILIAN SOC CHEMICAL ENG +2546|Brazilian Journal of Infectious Diseases|Clinical Medicine / Communicable diseases; Communicable Diseases|1413-8670|Bimonthly| |CONTEXTO +2547|Brazilian Journal of Medical and Biological Research|Clinical Medicine / Medicine, Experimental; Biology; Medicine; Research|0100-879X|Monthly| |ASSOC BRAS DIVULG CIENTIFICA +2548|Brazilian Journal of Microbiology|Microbiology / Microbiology|1517-8382|Quarterly| |SOC BRASILEIRA MICROBIOLOGIA +2549|Brazilian Journal of Morphological Sciences| |0102-9010|Semiannual| |BRAZILIAN JOURNAL MORPHOLOGICAL SCIENCES +2550|Brazilian Journal of Oceanography|Geosciences /|1679-8759|Quarterly| |INST OCEANOGRAFICO +2551|Brazilian Journal of Pharmaceutical Sciences|Pharmacology & Toxicology /|1984-8250|Quarterly| |UNIV SAO PAULO +2552|Brazilian Journal of Physics|Physics / Physics|0103-9733|Quarterly| |SOC BRASILEIRA FISICA +2553|Brazilian Journal of Plant Physiology| |1677-0420|Quarterly| |BRAZILIAN SOC PLANT PHYSIOLOGY +2554|Brazilian Journal of Poultry Science|Plant & Animal Science /|1516-635X|Quarterly| |FACTA-FUNDACIO ARNCO CIENCIA TECNOLOGIA AVICOLAS +2555|Brazilian Journal of Veterinary Pathology| |1983-0246|Semiannual| |BRAZILIAN ASSOC VETERINARY PATHOLOGY +2556|Brazilian Journal of Veterinary Research and Animal Science|Veterinary medicine; Animal culture; Veterinary Medicine|1413-9596|Bimonthly| |UNIV SAO PAULO +2557|Breast|Clinical Medicine / Breast; Breast Diseases; Breast Neoplasms|0960-9776|Quarterly| |CHURCHILL LIVINGSTONE +2558|Breast Cancer|Breast; Breast Neoplasms|1340-6868|Quarterly| |SPRINGER TOKYO +2559|Breast Cancer Research|Clinical Medicine / Breast; Breast Neoplasms; Sein|1465-5411|Bimonthly| |BIOMED CENTRAL LTD +2560|Breast Cancer Research and Treatment|Clinical Medicine / Breast; Breast Neoplasms; Borstkanker; Onderzoek; Therapieën / Breast; Breast Neoplasms; Borstkanker; Onderzoek; Therapieën|0167-6806|Semimonthly| |SPRINGER +2561|Breast Care|Clinical Medicine / Breast; Breast Diseases|1661-3791|Bimonthly| |KARGER +2562|Breast Journal|Clinical Medicine / Breast; Breast Diseases; Breast Neoplasms|1075-122X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +2563|Breastfeeding Medicine|Clinical Medicine / Breastfeeding; Breast Feeding; Infant|1556-8253|Quarterly| |MARY ANN LIEBERT INC +2564|Breconshire Birds| |0962-0516|Annual| |BRECKNOCK WILDLIFE TRUST +2565|Breeding Science|Plant & Animal Science / Breeding; Plant breeding|1344-7610|Quarterly| |JAPANESE SOC BREEDING +2566|Brenesia| |0304-3711|Semiannual| |MUSEO NACIONAL COSTA RICA +2567|Breviora|Zoology; Dierkunde|0006-9698|Irregular| |HARVARD UNIV +2568|Briefings in Bioinformatics|Computer Science / Genetics; Molecular biology; Genomes; Computational Biology; Databases, Factual; Medical Informatics; Molecular Sequence Data; Software|1467-5463|Bimonthly| |OXFORD UNIV PRESS +2569|Briefings in Functional Genomics|Biology & Biochemistry /|2041-2649|Bimonthly| |OXFORD UNIV PRESS +2570|Brigham Young University Geology Studies| |0068-1016|Annual| |BRIGHAM YOUNG UNIV +2571|Bris Journal of Advances in Science and Technology| |0971-9563|Semiannual| |BHASKARACHARYA RESEARCH INST +2572|Bristol Ornithology| |0950-2750|Irregular| |BRITISH ORNITHOLOGISTS CLUB +2573|British Arachnological Society-The Newsletter| |0959-2261|Irregular| |BRITISH ARACHNOLOGICAL SOC +2574|British Birds| |0007-0335|Monthly| |BRITISH BIRDS LTD +2575|British Cichlid Association Information Pamphlet| |1367-7586|Irregular| |BRITISH CICHLID ASSOC +2576|British Columbia Birds| |1183-3521|Semiannual| |BRITISH COLUMBIA FIELD ORNITHOLOGISTS +2577|British Columbia Journal of Ecosystems and Management| |1488-4666|Irregular| |FORREX-FOREST RESEARCH EXTENSION PARTNERSHIP +2578|British Dental Journal|Clinical Medicine / Dentistry; Tandheelkunde; Dentisterie / Dentistry; Tandheelkunde; Dentisterie|0007-0610|Semimonthly| |NATURE PUBLISHING GROUP +2579|British Ecological Society Bulletin| |0306-8307|Quarterly| |BRITISH ECOLOGICAL SOC +2580|British Educational Research Journal|Social Sciences, general / Education|0141-1926|Bimonthly| |ROUTLEDGE JOURNALS +2581|British Food Journal|Agricultural Sciences / Food adulteration and inspection; Food; Food industry and trade; Legislation, Food; Aliments|0007-070X|Monthly| |EMERALD GROUP PUBLISHING LIMITED +2582|British Heart Journal| |0007-0769|Monthly| |B M J PUBLISHING GROUP +2583|British Journal for the History of Philosophy|Philosophy; Filosofie|0960-8788|Quarterly| |ROUTLEDGE JOURNALS +2584|British Journal for the History of Science|Science; Natuurwetenschappen; Sciences|0007-0874|Quarterly| |CAMBRIDGE UNIV PRESS +2585|British Journal for the Philosophy of Science|Science|0007-0882|Quarterly| |OXFORD UNIV PRESS +2586|British Journal of Aesthetics|Aesthetics; Esthetica|0007-0904|Quarterly| |OXFORD UNIV PRESS +2587|British Journal of Anaesthesia|Clinical Medicine / Anesthesia; Anesthetics / Anesthesia; Anesthetics|0007-0912|Monthly| |OXFORD UNIV PRESS +2588|British Journal of Biomedical Science|Clinical Medicine|0967-4845|Quarterly| |STEP PUBLISHING LTD +2589|British Journal of Cancer|Clinical Medicine / Cancer; Tumors; Neoplasms; Tumeurs|0007-0920|Semimonthly| |NATURE PUBLISHING GROUP +2590|British Journal of Clinical Pharmacology|Clinical Medicine / Pharmacology; Drugs; Pharmaceutical Preparations; Pharmacologie; Médicaments; Klinische farmacologie|0306-5251|Monthly| |WILEY-BLACKWELL PUBLISHING +2591|British Journal of Clinical Psychology|Psychiatry/Psychology / Clinical psychology; Psychology, Clinical; Klinische psychologie|0144-6657|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2592|British Journal of Criminology|Social Sciences, general / Crime; Deviant behavior; Criminology; Juvenile Delinquency; Social Behavior Disorders; Criminologie|0007-0955|Quarterly| |OXFORD UNIV PRESS +2593|British Journal of Dermatology|Clinical Medicine / Dermatology; Syphilis|0007-0963|Monthly| |WILEY-BLACKWELL PUBLISHING +2594|British Journal of Dermatology and Syphilis| |0366-2845|Annual| |WILEY-BLACKWELL PUBLISHING +2595|British Journal of Developmental Disabilities|Social Sciences, general|0969-7950|Semiannual| |BRITISH SOC DEVELOPMENTAL DISABILITIES +2596|British Journal of Developmental Psychology|Psychiatry/Psychology / Developmental psychology; Child psychology; Human Development; Psychology; Ontwikkelingspsychologie|0261-510X|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2597|British Journal of Educational Psychology|Psychiatry/Psychology / Educational psychology; Psychology, Educational; Onderwijspsychologie; Psychopédagogie|0007-0998|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2598|British Journal of Educational Studies|Social Sciences, general / Education; Pedagogiek|0007-1005|Tri-annual| |WILEY-BLACKWELL PUBLISHING +2599|British Journal of Educational Technology|Social Sciences, general / Teaching; Audio-visual education; Educational innovations|0007-1013|Bimonthly| |WILEY-BLACKWELL PUBLISHING +2600|British Journal of Entomology and Natural History| |0952-7583|Quarterly| |BRITISH ENTOMOLOGICAL NATURAL HISTORY SOC +2601|British Journal of Experimental Biology| |0366-0788|Quarterly| |COMPANY OF BIOLOGISTS LTD +2602|British Journal of Experimental Pathology| |0007-1021|Bimonthly| |WILEY-BLACKWELL PUBLISHING +2603|British Journal of General Practice|Clinical Medicine / Family medicine; Physicians (General practice); Family Practice; Huisartsgeneeskunde|0960-1643|Monthly| |ROYAL COLL GENERAL PRACTITIONERS +2604|British Journal of Guidance & Counselling|Psychiatry/Psychology / Educational counseling; Vocational guidance; Counseling; Vocational Guidance; Gesprekstherapie / Educational counseling; Vocational guidance; Counseling; Vocational Guidance; Gesprekstherapie|0306-9885|Quarterly| |ROUTLEDGE JOURNALS +2605|British Journal of Haematology|Clinical Medicine / Hematology; Blood|0007-1048|Semimonthly| |WILEY-BLACKWELL PUBLISHING +2606|British Journal of Health Psychology|Psychiatry/Psychology / Clinical health psychology; Psychology, Medical; Medische psychologie; Santé|1359-107X|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2607|British Journal of Hospital Medicine|Clinical Medicine|1750-8460|Monthly| |MA HEALTHCARE LTD +2608|British Journal of Industrial Medicine| |0007-1072|Monthly| |B M J PUBLISHING GROUP +2609|British Journal of Industrial Relations|Economics & Business / Industrial relations; Economics; Relations industrielles; Arbeidsverhoudingen|0007-1080|Tri-annual| |WILEY-BLACKWELL PUBLISHING +2610|British Journal of Management|Economics & Business / Management|1045-3172|Quarterly| |WILEY-BLACKWELL PUBLISHING +2611|British Journal of Mathematical & Statistical Psychology|Psychiatry/Psychology / Psychometrics; Statistics; Psychology|0007-1102|Semiannual| |BRITISH PSYCHOLOGICAL SOC +2612|British Journal of Medical Psychology|Psychiatry/Psychology / Clinical psychology; Psychopathology|0007-1129|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2613|British Journal of Middle Eastern Studies|Social Sciences, general /|1353-0194|Tri-annual| |ROUTLEDGE JOURNALS +2614|British Journal of Music Education|Social Sciences, general / Music|0265-0517|Tri-annual| |CAMBRIDGE UNIV PRESS +2615|British Journal of Neurosurgery|Clinical Medicine / Nervous system; Neurosurgery; Neurochirurgie|0268-8697|Bimonthly| |TAYLOR & FRANCIS LTD +2616|British Journal Of Nutrition|Agricultural Sciences / Nutrition|0007-1145|Semimonthly| |CAMBRIDGE UNIV PRESS +2617|British Journal of Ophthalmology|Clinical Medicine / Ophthalmology; Oogheelkunde; Ophtalmologie|0007-1161|Monthly| |B M J PUBLISHING GROUP +2618|British Journal of Oral & Maxillofacial Surgery|Clinical Medicine / Mouth; Maxilla; Face; Surgery, Plastic; Dentistry, Operative; Surgery, Oral / Mouth; Maxilla; Face; Surgery, Plastic; Dentistry, Operative; Surgery, Oral|0266-4356|Bimonthly| |CHURCHILL LIVINGSTONE +2619|British Journal of Pharmacology|Pharmacology & Toxicology / Pharmacology; Drug Therapy; Farmacologie; Chimiothérapie; Pharmacologie|0007-1188|Semimonthly| |WILEY-BLACKWELL PUBLISHING +2620|British Journal of Political Science|Social Sciences, general / Political science; Science politique|0007-1234|Quarterly| |CAMBRIDGE UNIV PRESS +2621|British Journal of Politics & International Relations|Social Sciences, general /|1369-1481|Quarterly| |WILEY-BLACKWELL PUBLISHING +2622|British Journal of Preventive & Social Medicine| |0007-1242|Quarterly| |B M J PUBLISHING GROUP +2623|British Journal of Psychiatry|Psychiatry/Psychology / Psychology, Pathological; Psychiatry; Psychology; Psychiatrie|0007-1250|Monthly| |ROYAL COLLEGE OF PSYCHIATRISTS +2624|British Journal of Psychology|Psychiatry/Psychology / Psychology|0007-1269|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2625|British Journal of Psychology-General Section| |0373-2460|Quarterly| |CAMBRIDGE UNIV PRESS +2626|British Journal of Psychology-Medical Section| | | | |BRITISH PSYCHOLOGICAL SOC +2627|British Journal of Psychology-Statistical Section| | | | |BRITISH PSYCHOLOGICAL SOC +2628|British Journal of Radiology|Clinical Medicine / Radiology; X-rays|0007-1285|Monthly| |BRITISH INST RADIOLOGY +2629|British Journal of Religious Education| |0141-6200|Tri-annual| |ROUTLEDGE JOURNALS +2630|British Journal of Social Medicine| |0366-0842|Quarterly| |B M J PUBLISHING GROUP +2631|British Journal of Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social; Sociale psychologie|0144-6665|Quarterly| |BRITISH PSYCHOLOGICAL SOC +2632|British Journal of Social Work|Social Sciences, general / Social service; Social workers; Social Work; Service social psychiatrique|0045-3102|Bimonthly| |OXFORD UNIV PRESS +2633|British Journal of Sociology|Social Sciences, general / Sociology|0007-1315|Quarterly| |WILEY-BLACKWELL PUBLISHING +2634|British Journal of Sociology of Education|Social Sciences, general / Educational sociology|0142-5692|Quarterly| |ROUTLEDGE JOURNALS +2635|British Journal of Sports Medicine|Clinical Medicine / Sports medicine; Sports Medicine; Sportgeneeskunde|0306-3674|Monthly| |B M J PUBLISHING GROUP +2636|British Journal of Statistical Psychology| | |Annual| |BRITISH PSYCHOLOGICAL SOC +2637|British Journal of Surgery|Clinical Medicine / Surgery|0007-1323|Monthly| |JOHN WILEY & SONS LTD +2638|British Medical Bulletin|Clinical Medicine / Medicine|0007-1420|Quarterly| |OXFORD UNIV PRESS +2639|British Medical Journal|Clinical Medicine|0959-535X|Monthly| |B M J PUBLISHING GROUP +2640|British Ornithologists Club Occasional Publications| |1363-2965|Irregular| |BRITISH ORNITHOLOGISTS CLUB +2641|British Poultry Abstracts|Poultry; Poultry Diseases; Pluimveehouderij; Pluimvee|1746-6202|Annual| |TAYLOR & FRANCIS LTD +2642|British Poultry Science|Plant & Animal Science / Poultry; Poultry Diseases; Pluimveehouderij; Pluimvee|0007-1668|Bimonthly| |TAYLOR & FRANCIS LTD +2643|British Simuliid Group Bulletin| |1363-3376|Irregular| |BRITISH SIMULIID GROUP +2644|British Wildlife| |0958-0956|Bimonthly| |BRITISH WILDLIFE PUBLISHING +2645|Brittonia|Plant & Animal Science / Botany; Plantkunde; Botanique|0007-196X|Quarterly| |SPRINGER +2646|Brodogradnja|Engineering|0007-215X|Quarterly| |BRODARSKI INST +2647|Bromatologia I Chemia Toksykologiczna| |0365-9445|Quarterly| |POLSKIEGO TOWARZYSTWA FARMACEUTYCZNEGO +2648|Bronte Studies| |1474-8932|Tri-annual| |MANEY PUBLISHING +2649|Brookings Papers on Economic Activity|Economics & Business /|0007-2303|Semiannual| |BROOKINGS INST +2650|Bryologist|Plant & Animal Science / Mosses; Liverworts; Lichens; Botany; Bryology; Bryologie|0007-2745|Quarterly| |AMER BRYOLOGICAL LICHENOLOGICAL SOC INC +2651|Bshs Monographs| |0963-0902|Irregular| |BRITISH SOC HISTORY SCIENCE +2652|Bssw Report| |0936-0336|Quarterly| |VDA ARBEITSKREIS BARBEN-SALMLER-SCHMERLEN-WELSE +2653|Bssw Spezial| | |Irregular| |VDA ARBEITSKREIS BARBEN-SALMLER-SCHMERLEN-WELSE +2654|BT Technology Journal|Computer Science / Telecommunication|1358-3948|Quarterly| |SPRINGER +2655|Bto Research Report| |0963-0910|Irregular| |BRITISH TRUST ORNITHOLOGY +2656|Buffalo Bulletin|Plant & Animal Science|0125-6726|Quarterly| |INT BUFFALO INFORMATION CTR +2657|Buffalo Law Review|Social Sciences, general|0023-9356|Bimonthly| |UNIV BUFFALO STATE UNIV NEW YORK +2658|Bugs R All| | |Semiannual| |ZOO OUTREACH ORGANISATION +2659|Building and Environment|Engineering / Buildings|0360-1323|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +2660|Building Research and Information|Engineering / Building; Construction / Building; Construction|0961-3218|Bimonthly| |TAYLOR & FRANCIS LTD +2661|Building Services Engineering Research & Technology|Engineering / Building / Building / Building|0143-6244|Quarterly| |SAGE PUBLICATIONS LTD +2662|Buletin Penelitian Hutan| |0215-028X|Irregular| |PUSAT PENELITIAN DAN PENGEMBANGAN HUTAN DAN KONSERVASI ALAM +2663|Bulgarian Antarctic Research Life Sciences| | |Irregular| |PENSOFT PUBL +2664|Bulgarian Chemical Communications|Chemistry|0324-1130|Quarterly| |BULGARIAN ACAD SCIENCE +2665|Bulgarian Historical Review-Revue Bulgare D Histoire| |0204-8906|Semiannual| |PUBL HOUSE BULGARIAN ACAD SCI +2666|Bulgarian Journal of Agricultural Science|Agricultural Sciences|1310-0351|Bimonthly| |SCIENTIFIC ISSUES NATL CENTRE AGRARIAN SCIENCES +2667|Bulgarian Journal of Plant Physiology| |1310-4586|Quarterly| |ACAD M POPOV INST PLANT PHYSIOLOGY +2668|Bulgarian Journal of Veterinary Medicine| |1311-1477|Semiannual| |TRAKIA UNIV +2669|Bulletin Alabama Museum of Natural History| |0196-1039|Irregular| |ALABAMA MUS NAT HIST +2670|Bulletin D Arthropoda| |1777-6198|Quarterly| |ASSOC FOYER CULT SARREGUEMINES +2671|Bulletin D Information des Geologues Du Bassin de Paris| |0374-1346|Quarterly| |ASSOC GEOL BASSIN PARIS +2672|Bulletin de correspondance hellénique|Philosophy, Ancient; Inscriptions, Greek; Philologie grecque; Inscriptions grecques|0007-4217|Semiannual| |DIFFUSION DE BOCCARD +2673|Bulletin de Geologie Lausanne| | |Irregular| |INST GEOLOGIE PALEONTOLOGIE +2674|Bulletin de L Academie Lorraine des Sciences| |1635-8597|Quarterly| |ACAD LORRAINE SCIENCES +2675|Bulletin de L Academie Nationale de Medecine|Clinical Medicine|0001-4079|Monthly| |ACAD NATL MEDECINE +2676|Bulletin de L Academie Veterinaire de France|Plant & Animal Science|0001-4192|Quarterly| |ACAD VETERINAIRE FRANCE +2677|Bulletin de L Association des Naturalistes de la Vallee Du Loing et Du Massif de Fontainebleau| |0296-3086|Quarterly| |ASSOC NATURAL VALLE LOING MASSIF FONTAINEBLEAU +2678|Bulletin de L Institut Oceanographique-Monaco| |0304-5722|Irregular| |MUSEE OCEANOGRAPHIQUE +2679|Bulletin de L Institut Royal des Sciences Naturelles de Belgique Entomologie & Biologie| | |Annual| |INST ROYAL SCIENCES NATURELLES BELGIQUE +2680|Bulletin de L Institut Royal des Sciences Naturelles de Belgique-Biologie| |0374-6429|Annual| |INST ROYAL SCIENCES NATURELLES BELGIQUE +2681|Bulletin de L Institut Royal des Sciences Naturelles de Belgique-Entomologie| |0374-6232|Annual| |INST ROYAL SCIENCES NATURELLES BELGIQUE +2682|Bulletin de L Institut Royal des Sciences Naturelles de Belgique-Sciences de la Terre|Geosciences|0374-6291|Annual| |INST ROYAL SCIENCES NATURELLES BELGIQUE +2683|Bulletin de L Institut Scientifique Section Sciences de la Terre-Rabat| |1114-6834|Irregular| |INST SCIENTIFIQUE +2684|Bulletin de L Institut Scientifique Section Sciences de la Vie-Rabat| |1114-8500|Annual| |INST SCIENTIFIQUE +2685|Bulletin de la Murithienne| |0374-6402|Annual| |SOC VALAISANNE SCIENCE NATURELLES +2686|Bulletin de la Societe D Etude des Sciences Naturelles de Nimes et Du Gard| |0755-1924|Irregular| |SOC ETUDE SCIENCES NATURELLES NIMES GARD +2687|Bulletin de la Societe D Etudes Scientifiques de L Anjou Nouvelle Serie| |0153-9361|Irregular| |SOC ETUDES SCIENTIFIQUES ANJOU +2688|Bulletin de la Societe D Histoire Naturelle de Toulouse| |0758-4113|Quarterly| |UNIV PAUL SABATIER TOULOUSE +2689|Bulletin de la Societe D Histoire Naturelle des Ardennes| |0373-8442|Annual| |SOC HISTOIRE NATURELLE ARDENNES +2690|Bulletin de la Societe D Histoire Naturelle Du Pays de Montbeliard| |0755-2491|Annual| |SOC HISTOIRE NATURELLE PAYS MONTBELIARD +2691|Bulletin de la Societe D Histoire Naturelle et D Ethnographie de Colmar| |1637-6811|Annual| |SOC HISTOIRE NATURELLE COLMAR +2692|Bulletin de la Société de pathologie exotique|Clinical Medicine / Tropical Medicine|0037-9085|Bimonthly| |SPRINGER FRANCE +2693|Bulletin de la Societe des Naturalistes Luxembourgeois| |0304-9620|Annual| |SOC NATURALISTES LUXEMBOURGEOIS A S B L +2694|Bulletin de la Societe des Sciences Historiques et Naturelles de la Corse| |1154-7472|Quarterly| |SOC SCIENCES HISTORIQUES NATURELLES CORSE +2695|Bulletin de la Societe des Sciences Naturelles de L Ouest de la France| |0758-3818|Quarterly| |SOC SCIENCES NATURELLES OUEST FRANCE +2696|Bulletin de la Societe Entomologique de France| |0037-928X|Bimonthly| |SOC ENTOMOLOGIQUE FRANCE +2697|Bulletin de la Societe Entomologique de Mulhouse| |0373-4544|Quarterly| |SOC ENTOMOLOGIQUE MULHOUSE +2698|Bulletin de la Societe Entomologique Du Nord de la France| |0395-7306|Quarterly| |SOC ENTOMOLOGIQUE NORD FRANCE +2699|Bulletin de la Societe Francaise de Parasitologie| |1626-0384|Semiannual| |SOC FRANCAISE PARASITOLOGIE +2700|Bulletin de la Societe Fribourgeoise des Sciences Naturelles| |0366-3256|Semiannual| |SOC FRIBOURGEOISE SCIENCES NATURELLES +2701|Bulletin de la Societe Geologique de France|Geosciences / Geology|0037-9409|Bimonthly| |SOC GEOL FRANCE +2702|Bulletin de la Societe Geologique de Normandie et des Amis Du Museum Du Havre| |1768-3572|Semiannual| |SOC GEOLOGIQUE NORMANDIE AMIS MUSEUM HAVRE +2703|Bulletin de la Societe Herpetologique de France| |0754-9962|Quarterly| |SOC HERPETOLOGIQUE FRANCE +2704|Bulletin de la Societe Linneenne de Bordeaux| |0750-6848|Quarterly| |SOC LINNEENNE BORDEAUX +2705|Bulletin de la Societe Linneenne de Provence| |0373-0875|Annual| |SOC LINNEENNE PROVENCE +2706|Bulletin de la Societe Mathematique de France|Mathematics|0037-9484|Quarterly| |FRENCH MATHEMATICAL SOC +2707|Bulletin de la Societe Mycologique de France| |0395-7527|Quarterly| |SOC MYCOLOGIQUE FRANCE +2708|Bulletin de la Societe Neuchateloise des Sciences Naturelles| |0366-3469|Annual| |SOC NEUCHATELOISE SCIENCES NATURELLES +2709|Bulletin de la Société préhistorique française| |0249-7638|Monthly| |SOCIETE PREHISTORIQUE FRANCAISE +2710|Bulletin de la Societe Royale Belge D Entomologie| |1374-8297|Annual| |SOC ROYALE BELGE ENTOMOLOGIE +2711|Bulletin de la Societe Royale des Sciences de Liege| |0037-9565|Bimonthly| |SOC ROYALE SCIENCES LIEGE +2712|Bulletin de la Societe Vaudoise des Sciences Naturelles| |0037-9603|Semiannual| |SOC VAUDOISE SCIENCES NATURELLES +2713|Bulletin de la Societe Zoologique de France|Plant & Animal Science|0037-962X|Quarterly| |SOC ZOOLOGIQUE FRANCE +2714|Bulletin de Liaison de L Association Entomologique D Evreux| |1168-3597|Semiannual| |ASSOC ENTOMOL EVREUX +2715|Bulletin des Lepidopteristes Parisiens| |1635-2513|Tri-annual| |ASSOC LEPIDOPT PARIS +2716|Bulletin des Sciences Mathématiques|Mathematics / Mathematics|0007-4497|Bimonthly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +2717|Bulletin Du Cancer|Clinical Medicine|0007-4551|Monthly| |JOHN LIBBEY EUROTEXT LTD +2718|Bulletin Du Centre International de Myriapodologie| |1161-2398|Annual| |MUSEUM NAT HIST NATURELLE +2719|Bulletin Du Musee D Anthropologie Prehistorique de Monaco| |0544-7631|Annual| |MUSEE ANTHROPOLOGIE PREHISTORIQUE +2720|Bulletin Hispanique| |0007-4640|Semiannual| |EDITIONS BIERE +2721|Bulletin Indian Geologists Association| |0379-5098|Semiannual| |INDIAN GEOLOGISTS ASSOC +2722|Bulletin Mathematique de la Societe des Sciences Mathematiques de Roumanie|Mathematics|1220-3874|Quarterly| |SOC MATEMATICE ROMANIA +2723|Bulletin Mensuel de la Societe Linneenne de Lyon|Plant & Animal Science|0366-1326|Monthly| |SOC LINNEENNE LYON +2724|Bulletin Monumental| |0007-473X|Quarterly| |SOC FR ARCHEOLOGIE MUSEE MONUMENT FRANCAIS +2725|Bulletin New Jersey Academy of Science| |0028-5455|Semiannual| |NEW JERSEY ACAD SCIENCE +2726|Bulletin Oepp-Eppo Bulletin|Plant diseases; Agricultural pests / Plant diseases; Agricultural pests / Plant diseases; Agricultural pests|0250-8052|Tri-annual| |WILEY-BLACKWELL PUBLISHING +2727|Bulletin of American Odonatology| |1061-3781|Irregular| |DRAGONFLY SOC AMER +2728|Bulletin of Botanical Research| |1673-5102|Quarterly| |NORTHEAST FORESTRY UNIV +2729|Bulletin of Canadian Petroleum Geology|Geosciences /|0007-4802|Quarterly| |CANADIAN SOC PETROLEUM GEOLOGISTS +2730|Bulletin of Carnegie Museum of Natural History| |0145-9058|Irregular| |CARNEGIE MUSEUM NATURAL HISTORY +2731|Bulletin of Earthquake Engineering|Geosciences / Earthquake engineering|1570-761X|Quarterly| |SPRINGER +2732|Bulletin of Economic Research|Economics & Business / Economics|0307-3378|Quarterly| |WILEY-BLACKWELL PUBLISHING +2733|Bulletin of Electrochemistry|Chemistry|0256-1654|Monthly| |CENTRAL ELECTROCHEM RES INST +2734|Bulletin of Engineering Geology and the Environment|Geosciences / Engineering geology; Fysische geografie / Engineering geology; Fysische geografie|1435-9529|Quarterly| |SPRINGER HEIDELBERG +2735|Bulletin of Entomological Research|Plant & Animal Science / Entomology|0007-4853|Bimonthly| |CAMBRIDGE UNIV PRESS +2736|Bulletin of Environmental Contamination and Toxicology|Environment/Ecology / Pollution; Environmental toxicology; Environmental health; Environmental Pollution|0007-4861|Monthly| |SPRINGER +2737|Bulletin of Experimental Biology and Medicine|Clinical Medicine / Biology, Experimental; Medicine, Experimental; Medicine; Physiology; Médecine expérimentale; Physiologie expérimentale; Biologie expérimentale|0007-4888|Monthly| |SPRINGER +2738|Bulletin of Faculty of Agriculture-University of Cairo| |0526-8613|Quarterly| |UNIV CAIRO +2739|Bulletin of Fish Biology| |1867-5417|Annual| |VERLAG NATUR & WISSENSCHAFT +2740|Bulletin of Fisheries Research Agency| |1346-9894|Quarterly| |National Research Institute for Fisheries Science, Fisheries Research Agency, Yokohama, Japan +2741|Bulletin of Fisheries Sciences Hokkaido University| |1346-1842|Quarterly| |HOKKAIDO UNIV +2742|Bulletin of Fuji Womens College Series 2| |1346-1389|Annual| |DR MASAHARU KAWAKATSU +2743|Bulletin of Geosciences|Geosciences / Geology|1214-1119|Quarterly| |CZECH GEOLOGICAL SURVEY +2744|Bulletin of Gunma Museum of Natural History| |1342-4092|Irregular| |GUNMA MUSEUM NATURAL HISTORY +2745|Bulletin of Hispanic Studies|Spanish philology; Portuguese philology; Spaans; Portugees; Filologie /|1475-3839|Quarterly| |LIVERPOOL UNIV PRESS +2746|Bulletin of Ibaraki Nature Museum| |1343-8921|Annual| |IBARAKI NATURE MUSEUM +2747|Bulletin of Indonesian Economic Studies|Economics & Business / Economische situatie; Economische ontwikkeling|0007-4918|Tri-annual| |ROUTLEDGE JOURNALS +2748|Bulletin of Insectology|Plant & Animal Science|1721-8861|Semiannual| |ALMA MATER STUDIORUM +2749|Bulletin of Institute of Oceanic Research and Development Tokai University| |0289-680X|Annual| |TOKAI UNIV +2750|Bulletin of Kagoshima Womens Junior College| |0286-8970|Irregular| |KAGOSHIMA WOMENS COLL +2751|Bulletin of Latin American Research|Multidisciplinary /|0261-3050|Quarterly| |WILEY-BLACKWELL PUBLISHING +2752|Bulletin of Malacology Republic of China| |0250-6378|Irregular| |MALACOLOGICAL SOC TAIWAN +2753|Bulletin of Marine Science|Plant & Animal Science|0007-4977|Bimonthly| |ROSENSTIEL SCH MAR ATMOS SCI +2754|Bulletin of Marine Sciences and Fisheries Kochi University| |0387-9763|Annual| |USA MARINE BIOLOGICAL INST +2755|Bulletin of Materials Science|Materials Science / Materials science|0250-4707|Bimonthly| |INDIAN ACAD SCIENCES +2756|Bulletin of Mathematical Biology|Mathematics / Biomathematics; Biophysics; Biology; Mathematics; Biologie; Wiskundige methoden|0092-8240|Bimonthly| |SPRINGER +2757|Bulletin of Nagasaki Prefectural Institute of Fisheries| |0388-8401| | |NAGASAKI PREFECTURAL INST FISHERIES +2758|Bulletin of National Research Institute of Aquaculture| |0389-5858|Irregular| |NATL RESEARCH INST AQUACULTURE +2759|Bulletin of Otaru Museum| |0918-7200|Irregular| |OTARU MUSEUM +2760|Bulletin of Pharmaceutical Sciences|Pharmacology & Toxicology|1110-0052|Semiannual| |ASSIUT UNIV +2761|Bulletin of Plankton Society of Japan| |0387-8961|Semiannual| |PLANKTON SOC JAPAN +2762|Bulletin of Pure & Applied Sciences A Zoology| |0970-0765|Semiannual| |DR A K SHARMA +2763|Bulletin of Shikoku University Ser B| |0919-1801|Semiannual| |SHIKOKU UNIV +2764|Bulletin of Spanish Studies|Spanish philology; Portuguese philology|1475-3820|Bimonthly| |ROUTLEDGE JOURNALS +2765|Bulletin of Symbolic Logic|Mathematics / Logic, Symbolic and mathematical; Symbolische logica; Logique symbolique et mathématique|1079-8986|Quarterly| |ASSOC SYMBOLIC LOGIC +2766|Bulletin of Taichung District Agricultural Improvement Station| |0255-5905|Irregular| |TAICHUNG DISTRICT AGRICULTURAL IMPROVEMENT STATION +2767|Bulletin of the African Bird Club| |1352-481X|Semiannual| |AFR BIRD CLUB +2768|Bulletin of the Akiyoshi-Dai Museum of Natural History| |0065-5554|Annual| |AKIYOSHI DAI MUS NAT HIST +2769|Bulletin of the Allyn Museum| |0097-3211|Annual| |FLORIDA MUSEUM NATURAL HISTORY +2770|Bulletin of the Amateur Entomologists Society| |0266-836X|Bimonthly| |AMATEUR ENTOMOL SOC +2771|Bulletin of the American Geographical Society of New York|Geography; Géographie|0190-5929|Monthly| |AMER GEOGRAPHICAL SOC +2772|Bulletin of the American Mathematical Society|Mathematics / Mathematics; Mathématiques|0273-0979|Quarterly| |AMER MATHEMATICAL SOC +2773|Bulletin of the American Meteorological Society|Geosciences / Meteorology; Météorologie; Meteorologie|0003-0007|Monthly| |AMER METEOROLOGICAL SOC +2774|Bulletin of the American Museum of Natural History|Biology & Biochemistry / Natural history; Science; Natuurlijke historie; Sciences naturelles; Sciences|0003-0090|Irregular| |AMER MUSEUM NATURAL HISTORY +2775|Bulletin of the American Society of Papyrologists| |0003-1186|Quarterly| |AMER SOC PAPYROLOGISTS +2776|Bulletin of the Aquaculture Association of Canada| |0840-5417|Quarterly| |AQUACULT ASSOC CANADA +2777|Bulletin of the Association of American Medical Colleges| |0004-5616|Quarterly| |ASSOC AMER MEDICAL COLLEGES +2778|Bulletin of the Astronomical Society of India|Space Science|0304-9523|Quarterly| |INDIAN INST ASTROPHYSICS +2779|Bulletin of the Atomic Scientists|Social Sciences, general / Nuclear energy; Government; Science; CIENCIA; ENERGIA NUCLEAR|0096-3402|Bimonthly| |SAGE PUBLICATIONS INC +2780|Bulletin of the Australian Mathematical Society|Mathematics / Mathematics|0004-9727|Bimonthly| |AUSTRALIAN MATHEMATICS PUBL ASSOC INC +2781|Bulletin of the Belgian Mathematical Society-Simon Stevin|Mathematics|1370-1444|Bimonthly| |BELGIAN MATHEMATICAL SOC TRIOMPHE +2782|Bulletin of the Biogeographical Society of Japan| |0067-8716|Annual| |BIOGEOGRAPHICAL SOC JAPAN +2783|Bulletin of the Biological Society of Washington|Natural history; Biology|0097-0298|Irregular| |BIOL SOC WASHINGTON +2784|Bulletin of the Brazilian Mathematical Society|Mathematics / / /|1678-7544|Quarterly| |SPRINGER +2785|Bulletin of the British Arachnological Society| |0524-4994|Monthly| |BRITISH ARACHNOLOGICAL SOC +2786|Bulletin of the British Myriapod and Isopod Group| |1475-1739|Annual| |BRITISH MYRIAPOD ISOPOD GROUP +2787|Bulletin of the British Ornithologists Club| |0007-1595|Irregular| |BRITISH ORNITHOLOGISTS CLUB +2788|Bulletin of the Buffalo Society of Natural Sciences| |0096-4131|Irregular| |BUFFALO SOC NATURAL SCIENCES +2789|Bulletin of the Canadian Psychological Association| |0382-8654| | |CANADIAN PSYCHOLOGICAL ASSOC +2790|Bulletin of the Central Geological Survey| |1012-6821|Annual| |CENTRAL GEOLOGICAL SURVEY +2791|Bulletin of the Central Research Institute Fukuoka University Series E Interdisciplinary Sciences| |1348-0219|Irregular| |FUKUOKA UNIV +2792|Bulletin of the Chemical Society of Ethiopia|Chemistry|1011-3924|Tri-annual| |CHEM SOC ETHIOPIA +2793|Bulletin of the Chemical Society of Japan|Chemistry / Chemistry; Chemie; Chimie|0009-2673|Monthly| |CHEMICAL SOC JAPAN +2794|Bulletin of the Chicago Herpetological Society| |0009-3564|Monthly| |CHICAGO HERPETOLOGICAL SOC +2795|Bulletin of the College of Agriculture and Veterinary Medicine Nihon University| |0078-0839|Annual| |NIPPON VETERINARY & ANIMAL SCIENCE UNIV +2796|Bulletin of the College of Agriculture Utsunomiya University| |0566-4691|Irregular| |UTSUNOMIYA UNIV +2797|Bulletin of the College of General Education Nagoya City University-Natural Science Section| |0465-7772|Annual| |NAGOYA CITY UNIV +2798|Bulletin of the Comediantes| |0007-5108|Annual| |AUBURN UNIV +2799|Bulletin of the Council for Geoscience of South Africa| |1680-0370|Irregular| |COUNCIL GEOSCIENCE +2800|Bulletin of the Council for Research in Music Education| |0010-9894|Quarterly| |COUNCIL RES IN MUSIC EDUCATION +2801|Bulletin of the Ehime University Forest| |0424-6845|Annual| |EHIME UNIV COLL AGR +2802|Bulletin of the Entomological Society of Egypt| |1110-0885|Annual| |ENTOMOLOGICAL SOC EGYPT +2803|Bulletin of the Entomological Society of Malta| |2070-4526|Annual| |ENTOMOLOGICAL SOC MALTA +2804|Bulletin of the European Association of Fish Pathologists|Plant & Animal Science|0108-0288|Bimonthly| |EUR ASSOC FISH PATHOLOGISTS +2805|Bulletin of the Faculty of Agriculture Kagoshima University| |0453-0845|Annual| |KAGOSHIMA UNIV +2806|Bulletin of the Faculty of Agriculture Miyazaki University| |0544-6066|Semiannual| |MIYAZAKI UNIV +2807|Bulletin of the Faculty of Agriculture Tamagawa University| |0082-156X|Annual| |TAMAGAWA UNIV +2808|Bulletin of the Faculty of Education Shizuoka University Natural Sciences Series| |0286-7311|Annual| |SHIZUOKA UNIV +2809|Bulletin of the Faculty of Fisheries Nagasaki University| |0547-1427|Annual| |NAGASAKI UNIV +2810|Bulletin of the Faculty of Life and Environmental Science Shimane University| |1343-3644|Irregular| |SHIMANE UNIV +2811|Bulletin of the Faculty of Literature Kogakkan University| |1344-4468|Irregular| |KOGAKKAN UNIV +2812|Bulletin of the Faculty of Science University of the Ryukyus| |0286-9640|Semiannual| |UNIV RYUKYUS +2813|Bulletin of the Florida Museum of Natural History| |1052-3669|Irregular| |FLORIDA MUSEUM NATURAL HISTORY +2814|Bulletin of the Forestry and Forest Products Research Institute| |0916-4405|Irregular| |FORESTRY & FOREST PRODUCTS RESEARCH INST +2815|Bulletin of the Geological Society of America| |1050-9747|Monthly| |ASSOC ENGINEERING GEOLOGISTS GEOLOGICAL SOC AMER +2816|Bulletin of the Geological Society of Denmark|Geosciences|0011-6297|Semiannual| |GEOLOGICAL SOC DENMARK +2817|Bulletin of the Geological Society of Finland|Geosciences|0367-5211|Semiannual| |GEOLOGICAL SOC FINLAND +2818|Bulletin of the Geological Society of Norfolk| |0143-9286|Annual| |GEOLOGICAL SOC NORFOLK +2820|Bulletin of the Georgian National Academy of Sciences| |0132-1447|Tri-annual| |GEORGIAN NATL ACAD SCIENCES +2821|Bulletin of the Graduate School of Social and Cultural Studies Kyushu University| |1341-1659|Annual| |KYUSHU UNIV +2822|Bulletin of the Herpetological Society of Japan| |1345-5826|Semiannual| |HERPETOLOGICAL SOC JAPAN +2823|Bulletin of the Higashi Taisetsu Museum of Natural History| |0915-5074|Annual| |HIGASHI TAISETSU MUSEUM NATURAL HISTORY +2824|Bulletin of the History of Medicine|Clinical Medicine /|0007-5140|Quarterly| |JOHNS HOPKINS UNIV PRESS +2825|Bulletin of the Hobetsu Museum| |0912-7798|Annual| |HOBETSU MUSEUM +2826|Bulletin of the Hokkaido University Museum| |1348-169X|Annual| |HOKKAIDO UNIV SCH MEDICINE +2827|Bulletin of the Hokuriku National Agricultural Experiment Station| |0439-3600|Annual| |HOKURIKU NATL AGRICULTURAL EXPERIMENT STATION +2828|Bulletin of the Institute of History and Philology Academia Sinica| |1012-4195|Quarterly| |ACAD SINICA-INST HISTORY PHILOLOGY +2829|Bulletin of the Institute of Malacology Tokyo| |0288-1527|Irregular| |INST MALACOLOGY TOKYO +2830|Bulletin of the Institute of Minami-Kyushu Regional Science| |0911-0275|Annual| |INST MINAMI-KYUSHU REGIONAL SCIENCE +2831|Bulletin of the Institute of Nature Education in Shiga Heights Shinshu University| |0389-9128|Annual| |SHINSHU UNIV +2832|Bulletin of the Institute of Tropical Agriculture Kyushu University| |0915-499X|Irregular| |INST TROPICAL AGRICULTURE +2833|Bulletin of the International Association for Paleodontology| |1846-6273|Semiannual| |UNIV ZAGREB +2834|Bulletin of the Iranian Mathematical Society|Mathematics|1735-8515|Semiannual| |IRANIAN MATHEMATICAL SOC +2835|Bulletin of the Iwate University Forests| |0286-4339|Annual| |IWATE UNIV FORESTS +2836|Bulletin of the Japan Sea Research Institute Kanazawa University| |0287-623X|Annual| |KANAZAWA UNIV +2837|Bulletin of the Japanese Society of Fisheries Oceanography| |0916-1562|Irregular| |JAPANESE SOC FISHERIES OCEANOGRAPHY +2838|Bulletin of the John Rylands University Library of Manchester| |0301-102X|Tri-annual| |JOHN RYLANDS UNIV LIBRARY +2839|Bulletin of the Johns Hopkins Hospital| | |Monthly| |JOHNS HOPKINS UNIV PRESS +2840|Bulletin of the Kanagawa Prefectural Museum Natural Science| |0453-1906|Annual| |KANAGAWA PREFECTURAL MUSEUM NATURAL HISTORY +2841|Bulletin of the Kent Field Club| |0140-9565|Annual| |KENT FIELD CLUB +2842|Bulletin of the Kitakyushu Museum of Natural History and Human History Series A Natural History| |1348-2653|Irregular| |KITAKYUSHU MUSEUM NATURAL HISTORY HUMAN HISTORY +2843|Bulletin of the Korean Chemical Society|Chemistry /|0253-2964|Monthly| |KOREAN CHEMICAL SOC +2844|Bulletin of the Korean Mathematical Society|Mathematics /|1015-8634|Quarterly| |KOREAN MATHEMATICAL SOC +2845|Bulletin of the Kurashiki Museum of Natural History| |0913-1566|Annual| |KURASHIKI MUSEUM NATURAL HISTORY +2846|Bulletin of the Kyoto Prefectural University Forests| |0374-874X|Annual| |KYOTO PREFECTURAL UNIV FORESTS +2847|Bulletin of the Kyushu University Museum| |1348-3080|Annual| |KYUSHU UNIV MUSEUM +2848|Bulletin of the Lebedev Physics Institute|Physics / Physics|1068-3356|Monthly| |ALLERTON PRESS INC +2849|Bulletin of the London Mathematical Society|Mathematics / Mathematics; Wiskunde; Mathématiques|0024-6093|Bimonthly| |OXFORD UNIV PRESS +2850|Bulletin of the Malaysian Mathematical Sciences Society| |0126-6705|Tri-annual| |MALAYSIAN MATHEMATICAL SCIENCES SOC +2851|Bulletin of the Maryland Herpetological Society| |0025-4231|Quarterly| |MARYLAND HERPETOLOGICAL SOC +2852|Bulletin of the Menninger Clinic|Psychiatry/Psychology / Psychiatry; Mental Disorders; Psychiatrie|0025-9284|Quarterly| |GUILFORD PUBLICATIONS INC +2853|Bulletin of the Mineral Research and Exploration Foreign Edition| |0026-4563|Semiannual| |MADEN TETKIK VE ARAMA GENEL MUDURLUGU-MTA +2854|Bulletin of the Mizunami Fossil Museum| |0385-0900|Annual| |MIZUNAMI FOSSIL MUSEUM +2855|Bulletin of the Mount Desert Island Biological Laboratory| |0097-0883|Annual| |MOUNT DESERT ISLAND BIOLOGICAL LABORATORY +2856|Bulletin of the Museum of Comparative Zoology|Zoology; Dierkunde|0027-4100|Irregular| |HARVARD UNIV +2857|Bulletin of the Museum of Life Sciences-Shreveport| |0883-9484|Irregular| |MUSEUM LIFE SCIENCES +2858|Bulletin of the Nagaoka Municipal Science Museum| |0285-6085|Annual| |NAGAOKA MUNICIPAL SCIENCE MUSEUM +2859|Bulletin of the Nagoya University Museum| |0912-5604|Annual| |NAGOYA UNIV +2860|Bulletin of the National Institute of Agro-Environmental Sciences| |0911-9450|Irregular| |NATL INST AGRO-ENVIRONMENTAL SCIENCES +2861|Bulletin of the National Institute of Animal Health| |1347-2542|Irregular| |NATL INST ANIMAL HEALTH- NORIN SUISANSHO KACHIKU EISEI SHIKENJ +2862|Bulletin of the National Institute of Fruit Tree Science| |1347-3549|Irregular| |NATL INST FRUIT TREE SCIENCE +2863|Bulletin of the National Institute of Sericultural and Entomological Science| |0915-2652|Irregular| |NATL INST SERICULTURAL & ENTOMOLOGICAL SCIENCE +2864|Bulletin of the National Museum of Nature and Science Series A-Zoology| |1881-9052|Quarterly| |NATL MUSEUM NATURE & SCIENCE +2865|Bulletin of the National Museum of Nature and Science Series B-Botany| |1881-9060|Quarterly| |NATL MUSEUM NATURE & SCIENCE +2866|Bulletin of the National Museum of Nature and Science Series C-Geology & Paleontology| |1881-9079|Annual| |NATL MUSEUM NATURE & SCIENCE +2867|Bulletin of the National Research Centre| |1110-0591|Quarterly| |NATL INFORMATION DOCUMENTATION CENT +2868|Bulletin of the National Salmon Resources Center| |1344-7556|Irregular| |NATL SALMON RESOURCES CTR +2869|Bulletin of the National Science Museum Series D-Anthropology| |0385-3039|Annual| |NATL MUSEUM NATURE & SCIENCE +2870|Bulletin of the National Tax Association| | |Monthly| |NATL TAX ASSOC +2871|Bulletin of the Natural History Museum in Belgrade| |1820-9521|Annual| |PRIRODNJACKI MUZEJ U BEOGRADU +2872|Bulletin of the Natural History Museum-Zoology Series|Zoology / Zoology|0968-0470|Semiannual| |CAMBRIDGE UNIV PRESS +2873|Bulletin of the New Mexico Museum of Natural History and Science| |1524-4156|Irregular| |NEW MEXICO MUSEUM NATURAL HISTORY SCIENCE +2874|Bulletin of the Nippon Veterinary and Animal Science University| |0373-8361|Annual| |NIPPON VETERINARY & ANIMAL SCIENCE UNIV +2875|Bulletin of the Ohio Biological Survey| |0078-3994|Irregular| |OHIO BIOLOGICAL SURVEY +2876|Bulletin of the Okayama University of Science A-Natural Science| |0285-7685|Annual| |OKAYAMA UNIV SCIENCE-OKAYAMA RIKA DAIGAKU +2877|Bulletin of the Oklahoma Ornithological Society| |0474-0750|Quarterly| |OKLAHOMA ORNITHOLOGICAL SOC +2878|Bulletin of the Oriental Bird Club| |0268-9634|Semiannual| |ORIENTAL BIRD CLUB +2879|Bulletin of the Osaka Medical College| |0916-2844|Semiannual| |OSAKA MEDICAL COLL +2880|Bulletin of the Osaka Museum of Natural History| |0078-6675|Annual| |OSAKA MUSEUM OF NATURAL HISTORY +2881|Bulletin of the Peabody Museum of Natural History|Natural history; Natuurlijke historie|0079-032X|Semiannual| |PEABODY MUSEUM NATURAL HISTORY-YALE UNIV +2882|Bulletin of the Physical Fitness Research Institute| |0389-9071|Tri-annual| |MEIJI LIFE FOUNDATION HEALTH & WELFARE +2883|Bulletin of the Polish Academy of Sciences-Technical Sciences|Engineering|0239-7528|Quarterly| |POLISH ACAD SCIENCES DIV IV +2884|Bulletin of the Research Institute for Bioresources Okayama University| |0916-930X|Semiannual| |RESEARCH INST BIORESOURCES +2885|Bulletin of the Saitama Museum of Natural History| |0288-5611|Annual| |SAITAMA MUSEUM NATURAL HISTORY +2886|Bulletin of the School of Oriental and African Studies-University of London|Oriental philology; Philologie orientale; Oriëntalistiek|0041-977X|Tri-annual| |CAMBRIDGE UNIV PRESS +2887|Bulletin of the Seismological Society of America|Geosciences / Seismology|0037-1106|Bimonthly| |SEISMOLOGICAL SOC AMER +2888|Bulletin of the Shikoku National Agricultural Experiment Station| |0037-3702|Annual| |SHIKOKU NATL AGRICULTURAL EXPERIMENT STATION +2889|Bulletin of the Shiretoko Museum| |0387-8716|Annual| |SHIRETOKO MUSEUM +2890|Bulletin of the Southern California Paleontological Society| |0160-4937|Bimonthly| |SOUTHERN CALIFORNIA PALEONTOLOGICAL SOC +2891|Bulletin of the Suzugamine Womens College Natural Science| |0389-5025|Irregular| |SUZUGAMINE WOMENS COLL +2892|Bulletin of the Texas Ornithological Society| |0040-4543|Annual| |TEXAS ORNITHOLOGICAL SOC +2893|Bulletin of the Tohoku University Museum| |1346-2040|Irregular| |TOHOKU UNIVERSITY +2894|Bulletin of the Tokushima Prefectural Museum| |0916-8001|Annual| |TOKUSHIMA PREFECTURAL MUSEUM +2895|Bulletin of the Torrey Botanical Club|Botany; Plantkunde|0040-9618|Quarterly| |TORREY BOTANICAL SOC +2896|Bulletin of the Toyama Science Museum| |0387-9089|Annual| |TOYAMA SCIENCE MUSEUM +2897|Bulletin of the Toyosato Museum of Entomology| |1342-1263|Annual| |TOYOSATO MUSEUM ENTOMOLOGY +2898|Bulletin of the University of Nebraska State Museum| |0093-6812|Irregular| |UNIV NEBRASKA STATE MUSEUM +2899|Bulletin of the Veterinary Institute in Pulawy|Plant & Animal Science|0042-4870|Semiannual| |NATL VETERINARY RESEARCH INST +2900|Bulletin of the World Health Organization|Clinical Medicine / Medicine; Public Health; Médecine / Medicine; Public Health; Médecine|0042-9686|Monthly| |WORLD HEALTH ORGANIZATION +2901|Bulletin of the Yamaguchi Agricultural Experiment Station| |0388-9327|Annual| |YAMAGUCHI AGRICULTURAL EXPERIMENT STATION +2902|Bulletin of University of Agricultural Sciences and Veterinary Medicine Cluj-Napoca Agriculture| |1843-5246|Semiannual| |UNIV STIINTE AGRICOLE MEDICINA VETERINARA CLUJ-NAPOCA +2903|Bulletin of University of Agricultural Sciences and Veterinary Medicine Cluj-Napoca Animal Science and Biotechnologies| |1843-5262|Semiannual| |UNIV STIINTE AGRICOLE MEDICINA VETERINARA CLUJ-NAPOCA +2904|Bulletin of University of Agricultural Sciences and Veterinary Medicine Cluj-Napoca Horticulture| |1843-5254| | |UNIV STIINTE AGRICOLE MEDICINA VETERINARA CLUJ-NAPOCA +2905|Bulletin of University of Agricultural Sciences and Veterinary Medicine Cluj-Napoca Veterinary Medicine| |1843-5270|Semiannual| |UNIV STIINTE AGRICOLE MEDICINA VETERINARA CLUJ-NAPOCA +2906|Bulletin of Volcanology|Geosciences / Volcanoes / Volcanoes|0258-8900|Bimonthly| |SPRINGER +2907|Bulletin of Zoological Nomenclature| |0007-5167|Quarterly| |INT TRUST ZOOLOGICAL NOMENCLATURE +2908|Bulletin Romand D Entomologie| |0256-3991|Semiannual| |MUSEE HISTOIRE NATURELLE +2909|Bulletin Southern California Academy of Sciences|Science|0038-3872|Tri-annual| |SOUTHERN CALIFORNIA ACAD SCIENCES +2910|Bulletin Trimestriel de la Societe D Histoire Naturelle et des Amis Du Museum D Autun| |0291-8390|Quarterly| |SOC HISTOIRE NATURELLE AMIS MUSEUM AUTUN +2911|Bulletin Utah Geological Survey| | |Irregular| |UTAH GEOLOGICAL SURVEY +2912|Bulletin Vurh Vodnany| |0007-389X|Quarterly| |VYZKUMNY USTAV RYBARSKY HYDROBIOLOGICKY +2913|Bulletin Zoologisch Museum Universiteit van Amsterdam| |0165-9464|Irregular| |University of Amsterdam +2914|Bulletins et Mémoires de la Société d anthropologie de Paris|Anthropology|0037-8984|Semiannual| |SPRINGER FRANCE +2915|Bulletins of American Paleontology| |0007-5779|Semiannual| |PALEONTOLOGICAL RESEARCH INST +2916|Bundesgesundheitsblatt-Gesundheitsforschung-Gesundheitsschutz|Social Sciences, general / Public health; Medical policy; Medicine; Medicine, Preventive; Public Health; Health Policy; Research; Preventive Medicine|1436-9990|Monthly| |SPRINGER +2917|BUNSEKI KAGAKU|Engineering / Chemistry, Analytic; Chemistry, Analytical|0525-1931|Monthly| |JAPAN SOC ANALYTICAL CHEMISTRY +2918|Bureau of American Ethnology Bulletin| |0082-8882| | |SMITHSONIAN INST PRESS +2919|Bureau of Standards Journal of Research| |0091-1801|Monthly| |US GOVERNMENT PRINTING OFFICE +2920|Burlington Magazine| |0007-6287|Monthly| |BURLINGTON MAG PUBL LTD +2921|Burns|Clinical Medicine / Burns and scalds; Burns|0305-4179|Bimonthly| |ELSEVIER SCI LTD +2922|Business & Information Systems Engineering|Economics & Business /|1867-0202|Bimonthly| |SPRINGER HEIDELBERG +2923|Business & Society|Social Sciences, general / Business / Business|0007-6503|Quarterly| |SAGE PUBLICATIONS INC +2924|Business Ethics Quarterly|Economics & Business / Business ethics; Morale des affaires|1052-150X|Quarterly| |PHILOSOPHY DOCUMENTATION CENTER +2925|Business Ethics-A European Review|Business ethics; Bedrijfsethiek; Morale des affaires; Entreprises|0962-8770|Quarterly| |WILEY-BLACKWELL PUBLISHING +2926|Business History|Economics & Business / Business; Industries; Commerce; Economische geschiedenis; Histoire économique|0007-6791|Tri-annual| |ROUTLEDGE JOURNALS +2927|Business History Review|Economics & Business / Business; Affaires|0007-6805|Quarterly| |HARVARD BUSINESS SCHOOL +2928|Business Lawyer|Social Sciences, general|0007-6899|Quarterly| |AMER BAR ASSOC +2929|Busqueret| |1889-4275|Semiannual| |GRUP BALEAR ORNITOLOGIA I DEFENSA NATURALESA-GOB +2930|Butlleti de la Institucio Catalana D Historia Natural| |1133-6889|Annual| |INST CATALANA HISTORIA NATURAL-FILIAL INST ESTUDIS CATALANS +2931|Butlleti de la Societat Catalana de Lepidopterologia| |1132-7669|Irregular| |SOC CATALANA LEPIDOPTEROLOGIA +2932|Butlleti Del Grup Catala D Anellament| |1130-2070|Annual| |GRUP CATALA ANELLAMENT +2933|Butterflies| |0919-0988|Tri-annual| |BUTTERFLY SOC JAPAN +2934|Butterfly Conservation Report| | |Irregular| |BUTTERFLY CONSERVATION +2935|Bwk|Engineering|1618-193X|Monthly| |SPRINGER-VDI VERLAG GMBH & CO KG +2936|Bwp Update| |1363-0601|Irregular| |OXFORD UNIV PRESS +2937|Byu Studies| |0007-0106|Quarterly| |BRIGHAM YOUNG UNIV +2938|Byulleten Dalnevostochnogo Malakologicheskogo Obshchestva| |1560-8425|Irregular| |DALNAUKA +2939|Byulleten Komissii Po Izucheniyu Chetvertichnogo Perioda| |0366-0907|Irregular| |MAIK NAUKA/INTERPERIODICA/SPRINGER +2940|Byulleten Moskovskogo Obshchestva Ispytatelei Prirody Otdel Biologicheskii| |0027-1403|Bimonthly| |IZDATEL STVO MOSKOVSKOGO UNIV +2941|Byulleten Moskovskogo Obshchestva Ispytatelei Prirody Otdel Geologicheskii| |0366-1318|Bimonthly| |MOSCOW UNIV +2942|Byzantine and Modern Greek Studies| |0307-0131|Annual| |CENTER BYZANTINE OTTOMAN MODERN GREEK STUDIES +2943|Byzantinische Zeitschrift|Byzantine antiquities; Greek literature; Art, Byzantine; Byzantinistiek|0007-7704|Semiannual| |C H BECKSCHE +2944|Ca-A Cancer Journal for Clinicians|Clinical Medicine / Cancer; Neoplasms; Oncologie|0007-9235|Bimonthly| |WILEY-BLACKWELL PUBLISHING +2945|Cable and Satellite Europe| |0265-6973|Monthly| |INFORMA TELECOMS & MEDIA GROUP +2946|Caderno de Pesquisa Serie Biologia| |1677-5600|Semiannual| |UNIV SANTA CRUZ DO SUL +2947|Cadernos de Ecologia Aquatica| |1980-0223|Semiannual| |CURSO ESPECILIZACO ECOLOGIA AQUATIC COSTEIRA +2948|Cadernos de Saúde Pública|Social Sciences, general / Public health; Public Health; Openbare gezondheidszorg|0102-311X|Monthly| |CADERNOS SAUDE PUBLICA +2949|Cadmo|Social Sciences, general|1122-5165|Semiannual| |FRANCO ANGELI +2950|Cahiers Agricultures|Agricultural Sciences|1166-7699|Irregular| |JOHN LIBBEY EUROTEXT LTD +2951|Cahiers D Ethologie| |0778-7103|Quarterly| |SERVICE ETHOLOGIE PSYCHOLOGIE ANIMALE +2952|Cahiers de Biologie Marine|Plant & Animal Science|0007-9723|Quarterly| |CAHIERS DE BIOLOGIE MARINE +2953|Cahiers de Civilisation Medievale| |0007-9731|Quarterly| |CENTRE ETUD SUPERIEUR CIV MED +2954|Cahiers des Naturalistes| |0008-0039|Quarterly| |NATURALISTES PARISIENS-N P +2955|Cahiers des Sciences Naturelles| |1420-4223|Annual| |SOC VALAISANNE SCIENCE NATURELLES +2956|Cahiers Du Monde Russe| |1252-6576|Tri-annual| |EDITIONS DE L ECOLE DES HAUTESETUDES EN SCIENCES SOCIALES +2957|Cahiers Elisabethains| |0184-7678|Semiannual| |UNIV PAUL VALERY +2958|Cahiers Magellanes| |1624-1940|Irregular| |ASSOC MAGELLANES +2959|Cahiers Options Mediterraneennes| |1022-1379|Irregular| |CENTRE INT HAUTES ETUDES AGRONOMIQUES MEDITERRANEENNES-CIHEAM +2960|Cahiers Scientifiques Museum D Histoire Naturelle de Lyon| |1627-3516|Semiannual| |CONSEIL GENERAL RHONE +2961|Cahiers Victoriens & Edouardiens| |0220-5610|Semiannual| |UNIV PAUL VALERY +2962|Cainozoic Research| |1570-0399|Semiannual| |BACKHUYS PUBL +2963|Calcified Tissue International|Biology & Biochemistry / Calcification; Calcification, Physiologic|0171-967X|Monthly| |SPRINGER +2964|CALCOLO|Mathematics / Electronic data processing; Analyse numérique; Informatique; Computerwiskunde|0008-0624|Quarterly| |SPRINGER +2965|Calculus of Variations and Partial Differential Equations|Mathematics / Calculus of variations; Differential equations, Partial; Calcul des variations; Équations aux dérivées partielles / Calculus of variations; Differential equations, Partial; Calcul des variations; Équations aux dérivées partielles|0944-2669|Monthly| |SPRINGER +2966|Caldasia|Plant & Animal Science|0366-5232|Semiannual| |INST CIENCIAS NATURALES +2967|Calidoscópio|Social Sciences, general /|1679-8740|Tri-annual| |EDITORA UNISINOS +2968|Calidris| |0346-9395|Quarterly| |OLANDS ORNITOLOGISKA FORENING +2969|California Academy of Sciences Annotated Checklists of Fishes| | |Irregular| |CALIFORNIA ACAD SCIENCES +2970|California Agriculture|Agriculture|0008-0845|Quarterly| |UNIV CALIFORNIA +2971|California Cooperative Oceanic Fisheries Investigations Reports|Plant & Animal Science|0575-3317|Annual| |SCRIPPS INST OCEANOGRAPHY +2972|California Fish and Game|Plant & Animal Science|0008-1078|Quarterly| |CALIFORNIA FISH AND GAME EDITOR +2973|California History| |0162-2897|Quarterly| |CALIFORNIA HISTORICAL SOC +2974|California Journal of Health-System Pharmacy| |1097-6337| | |CALIFORNIA SOC HEALTH-SYSTEM PHARMACISTS +2975|California Law Review|Social Sciences, general / Law reviews; Recht; Droit|0008-1221|Bimonthly| |UNIV CALIFORNIA BERKELEY SCH LAW +2976|California Management Review|Economics & Business|0008-1256|Quarterly| |UNIV CALIF +2977|California Natural History Guides| |0068-5755|Irregular| |UNIV CALIFORNIA PRESS +2978|California Pharmacist| |0739-0483|Monthly| |CALIFORNIA PHARMACISTS ASSOC +2979|Callaloo|African American arts; American literature; Negers; Letterkunde; Beeldende kunsten|0161-2492|Quarterly| |JOHNS HOPKINS UNIV PRESS +2980|Calodema| |1448-5532|Quarterly| |DR TREVOR J HAWKESWOOD +2981|Calphad-Computer Coupling of Phase Diagrams and Thermochemistry|Chemistry / Phase diagrams; Thermochemistry; Thermodynamica|0364-5916|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +2982|Cambrian Medieval Celtic Studies| |1353-0089|Semiannual| |CMCS +2983|Cambridge Archaeological Journal|Archaeology; Archeologie|0959-7743|Tri-annual| |CAMBRIDGE UNIV PRESS +2984|Cambridge Classical Journal| |1750-2705|Annual| |CAMBRIDGE PHILOLOGICAL SOC +2985|Cambridge Journal of Economics|Economics & Business / Economics; Economic history|0309-166X|Bimonthly| |OXFORD UNIV PRESS +2986|Cambridge Opera Journal|Opera; Opéra|0954-5867|Tri-annual| |CAMBRIDGE UNIV PRESS +2987|Cambridge Quarterly|Literature; Taalwetenschap|0008-199X|Quarterly| |OXFORD UNIV PRESS +2988|Cambridge Quarterly of Healthcare Ethics|Social Sciences, general / Medical ethics; Ethics, Medical; Professional Staff Committees; Medische ethiek; Éthique médicale; Comités d'éthique|0963-1801|Quarterly| |CAMBRIDGE UNIV PRESS +2989|Cambridge Review of International Affairs|Social Sciences, general / International relations|0955-7571|Quarterly| |ROUTLEDGE JOURNALS +2990|Cambridgeshire Bird Report| |0962-4309|Irregular| |CAMBRIDGE BIRD CLUB +2991|Camera Obscura|Feminism and motion pictures; Feminist film criticism; Poststructuralism; Critical theory; Identity (Philosophical concept); Féminisme et cinéma; Critique cinématographique féministe; Théorie critique; Identité; Filmtheorie; Feminisme; Filmgeschiedenis (|0270-5346|Tri-annual| |DUKE UNIV PRESS +2992|Canadian Arachnologist| | |Annual| |CANADIAN ARACHNOLOGIST +2993|Canadian Association of Radiologists Journal-Journal de L Association Canadienne des Radiologistes|Clinical Medicine /|0846-5371|Bimonthly| |ELSEVIER SCIENCE BV +2994|Canadian Biosystems Engineering| |1492-9058|Annual| |AMER SOC AGRICULTURAL & BIOLOGICAL ENGINEERS +2995|Canadian Circumpolar Institute Occasional Publication| |1200-5835|Irregular| |CANADIAN CIRCUMPOLAR INST +2996|Canadian Data Report of Fisheries and Aquatic Sciences| |0706-6465|Irregular| |FISHERIES & OCEANS CANADA +2997|Canadian Data Report of Hydrography and Ocean Sciences| |0711-6721|Irregular| |FISHERIES & OCEANS CANADA +2998|Canadian Entomologist|Plant & Animal Science /|0008-347X|Monthly| |ENTOMOL SOC CANADA +2999|Canadian Family Physician|Clinical Medicine|0008-350X|Monthly| |COLL FAMILY PHYSICIANS CANADA +3000|Canadian Field-Naturalist|Environment/Ecology|0008-3550|Quarterly| |OTTAWA FIELD-NATURALISTS CLUB +3001|Canadian Forest Service Northern Forestry Centre Information Report Nor-X| |0831-8247|Irregular| |CANADIAN FOREST SERVICE +3002|Canadian Geographer-Geographe Canadien|Social Sciences, general / Geography|0008-3658|Quarterly| |WILEY-BLACKWELL PUBLISHING +3003|Canadian Geotechnical Journal|Engineering / Soil mechanics; Engineering geology; Sols, Mécanique des; Géologie appliquée|0008-3674|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3004|Canadian Historical Review| |0008-3755|Quarterly| |UNIV TORONTO PRESS INC +3005|Canadian Industry Report of Fisheries and Aquatic Sciences| |0704-3694|Irregular| |CANADA DEPT FISHERIES & OCEANS +3006|Canadian Journal of Administrative Sciences-Revue Canadienne des Sciences de L Administration|Economics & Business / Management; Gestion|0825-0383|Bimonthly| |JOHN WILEY & SONS INC +3007|Canadian Journal of Agricultural Economics-Revue Canadienne D Agroeconomie|Economics & Business / Agriculture|0008-3976|Quarterly| |WILEY-BLACKWELL PUBLISHING +3008|Canadian Journal of Anesthesia-Journal Canadien D Anesthesie| |0832-610X|Monthly| |SPRINGER +3009|Canadian Journal of Animal Science|Plant & Animal Science /|0008-3984|Quarterly| |AGRICULTURAL INST CANADA +3010|Canadian Journal of Arthropod Identification|Arthropoda; Insects|1911-2173|Irregular| |ARCHIVES VETERINARY SCIENCE +3011|Canadian Journal of Behavioural Science-Revue Canadienne des Sciences Du Comportement|Psychiatry/Psychology / Psychology; Behavioral Sciences / Psychology; Behavioral Sciences / Psychology; Behavioral Sciences|0008-400X|Quarterly| |CANADIAN PSYCHOLOGICAL ASSOC +3012|Canadian Journal of Cardiology|Clinical Medicine|0828-282X|Monthly| |PULSUS GROUP INC +3013|Canadian Journal of Chemical Engineering|Chemistry / Chemical engineering; Technology; Chemical Engineering|0008-4034|Bimonthly| |JOHN WILEY & SONS INC +3014|Canadian Journal of Chemistry-Revue Canadienne de Chimie|Chemistry / Chimie; Chemie; Chemistry|0008-4042|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3015|Canadian Journal of Civil Engineering|Engineering / Civil engineering|0315-1468|Bimonthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3016|Canadian Journal of Criminology and Criminal Justice|Social Sciences, general / / Criminology; Crime prevention; Criminal justice, Administration of; Criminals; Criminologie; Justice pénale; Réhabilitation; Criminalité Prévention|1707-7753|Irregular| |CANADIAN CRIMINAL JUSTICE ASSOC +3017|Canadian Journal of Development Studies-Revue Canadienne D Etudes Du Developpement|Social Sciences, general|0225-5189|Quarterly| |UNIV OTTAWA +3018|Canadian Journal of Diabetes|Clinical Medicine|1499-2671|Quarterly| |CANADIAN DIABETES ASSOC +3019|Canadian Journal of Dietetic Practice and Research|Agricultural Sciences / Nutrition; Nutrition disorders; Nutrition policy; Alimentation; Maladies de la nutrition; Canada; Dietetics; Nutrition Policy|1486-3847|Quarterly| |DIETITIANS CANADA +3020|Canadian Journal of Earth Sciences|Geosciences / Geology; Géologie; Aardwetenschappen|0008-4077|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3021|Canadian Journal of Economics & Political Science|Economics; Political science|0315-4890|Quarterly| |UNIV TORONTO PRESS INC +3022|Canadian Journal of Economics-Revue Canadienne D Economique|Economics & Business /|0008-4085|Quarterly| |WILEY-BLACKWELL PUBLISHING +3023|Canadian Journal of Electrical and Computer Engineering-Revue Canadienne de Genie Electrique et Informatique|Engineering / Electric engineering; Computer engineering; Électrotechnique|0840-8688|Quarterly| |IEEE CANADA +3024|Canadian Journal of Emergency Medicine|Clinical Medicine|1481-8035|Bimonthly| |CAEP-CANADIAN ASSOC EMERGENCY PHYSICIANS +3025|Canadian Journal of Experimental Psychology-Revue Canadienne de Psychologie Experimentale|Psychiatry/Psychology / Psychology, Experimental; Psychology; Experimentele psychologie / Psychology, Experimental; Psychology; Experimentele psychologie|1196-1961|Quarterly| |CANADIAN PSYCHOLOGICAL ASSOC +3026|Canadian Journal of Film Studies-Revue Canadienne D Etudes Cinematographiques| |0847-5911|Semiannual| |FILM STUDIES ASSOC CANADA +3027|Canadian Journal of Fisheries and Aquatic Sciences|Plant & Animal Science / Fisheries; Aquatic sciences; Fishes; Aquatische ecologie; Hydrobiologie; Visserij|0706-652X|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3028|Canadian Journal of Forest Research-Revue Canadienne de Recherche Forestiere|Plant & Animal Science / Forests and forestry; Forêts|0045-5067|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3029|Canadian Journal of Gastroenterology|Clinical Medicine|0835-7900|Monthly| |PULSUS GROUP INC +3030|Canadian Journal of Hospital Pharmacy| |0008-4123|Bimonthly| |CANADIAN SOC HOSPITAL PHARMACISTS +3031|Canadian Journal of Infectious Diseases & Medical Microbiology|Clinical Medicine|1712-9532|Bimonthly| |PULSUS GROUP INC +3032|Canadian Journal of Information and Library Science-Revue Canadienne des Sciences de L Information et de Bibliotheconomie|Social Sciences, general|1195-096X|Quarterly| |CANADIAN ASSOC INFORMATION SCIENCE +3033|Canadian Journal of Linguistics-Revue Canadienne de Linguistique|Social Sciences, general|0008-4131|Tri-annual| |UNIV TORONTO PRESS INC +3034|Canadian Journal of Mathematics-Journal Canadien de Mathematiques|Mathematics /|0008-414X|Bimonthly| |CANADIAN MATHEMATICAL SOC +3035|Canadian Journal of Microbiology|Microbiology / Microbiology|0008-4166|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3036|Canadian Journal of Neurological Sciences|Neuroscience & Behavior|0317-1671|Quarterly| |CANADIAN JOURNAL NEUROLOGICAL SCIENCES INC +3037|Canadian Journal of Ophthalmology-Journal Canadien D Ophtalmologie|Clinical Medicine / Ophthalmology|0008-4182|Bimonthly| |CANADIAN OPHTHAL SOC +3038|Canadian Journal of Philosophy| |0045-5091|Quarterly| |UNIV CALGARY PRESS +3039|Canadian Journal of Physics|Physics / Physics; Physique; Natuurkunde|0008-4204|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3040|Canadian Journal of Physiology and Pharmacology|Pharmacology & Toxicology / Pharmacology; Physiology; Physiologie; Pharmacologie; Fysiologie; Farmacologie|0008-4212|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3041|Canadian Journal of Plant Pathology-Revue Canadienne de Phytopathologie|Plant & Animal Science /|0706-0661|Quarterly| |TAYLOR & FRANCIS LTD +3042|Canadian Journal of Plant Science|Plant & Animal Science /|0008-4220|Quarterly| |AGRICULTURAL INST CANADA +3043|Canadian Journal of Plastic Surgery|Clinical Medicine|1195-2199|Quarterly| |PULSUS GROUP INC +3044|Canadian Journal of Political Science-Revue Canadienne de Science Politique|Social Sciences, general / Science politique / Science politique|0008-4239|Quarterly| |WILFRID LAURIER UNIV PRESS +3045|Canadian Journal of Psychiatry-Revue Canadienne de Psychiatrie|Psychiatry/Psychology|0706-7437|Monthly| |CANADIAN PSYCHIATRIC ASSOC +3046|Canadian Journal of Psychology| | |Quarterly| |CANADIAN PSYCHOLOGICAL ASSOC +3047|Canadian Journal of Public Health-Revue Canadienne de Sante Publique|Social Sciences, general|0008-4263|Bimonthly| |CANADIAN PUBLIC HEALTH ASSOC +3048|Canadian Journal of Remote Sensing|Engineering|1712-7971|Bimonthly| |CANADIAN AERONAUTICS SPACE INST +3049|Canadian Journal of Sociology-Cahiers Canadiens de Sociologie|Social Sciences, general / Sociology; Sociologie|0318-6431|Quarterly| |UNIV ALBERTA +3050|Canadian Journal of Soil Science|Environment/Ecology /|0008-4271|Quarterly| |AGRICULTURAL INST CANADA +3051|Canadian Journal of Statistics-Revue Canadienne de Statistique|Mathematics / Mathematical statistics; Statistiek|0319-5724|Quarterly| |WILEY-BLACKWELL PUBLISHING +3052|Canadian Journal of Surgery|Clinical Medicine|0008-428X|Bimonthly| |CMA-CANADIAN MEDICAL ASSOC +3053|Canadian Journal of Urology|Clinical Medicine|1195-9479|Bimonthly| |CANADIAN J UROLOGY +3054|Canadian Journal of Veterinary Research-Revue Canadienne de Recherche Veterinaire|Plant & Animal Science|0830-9000|Quarterly| |CANADIAN VET MED ASSOC +3055|Canadian Journal of Zoology-Revue Canadienne de Zoologie|Plant & Animal Science / Zoology; Zoologie; Dierkunde|0008-4301|Monthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +3056|Canadian Journal on Aging-Revue Canadienne Du Vieillissement|Social Sciences, general /|0714-9808|Quarterly| |CANADIAN ASSOC GERONTOLOGY-ASSOC CANADIENNE DE GERONTOLOGIE +3057|Canadian Literature| |0008-4360|Quarterly| |CANADIAN LITERATURE +3058|Canadian Manuscript Report of Fisheries and Aquatic Sciences| |0706-6473|Irregular| |CANADA DEPT FISHERIES & OCEANS +3059|Canadian Mathematical Bulletin-Bulletin Canadien de Mathematiques|Mathematics /|0008-4395|Quarterly| |CANADIAN MATHEMATICAL SOC +3060|Canadian Medical Association Journal|Clinical Medicine / Medicine; Médecine|0820-3946|Semimonthly| |CMA-CANADIAN MEDICAL ASSOC +3061|Canadian Metallurgical Quarterly|Materials Science / Metallurgy; Métallurgie|0008-4433|Quarterly| |METALLURGICAL SOC-C I M +3062|Canadian Mineralogist|Geosciences / Mineralogy; Petrology; Geochemistry; Mines and mineral resources; Mineralogie; Minéralogie|0008-4476|Bimonthly| |MINERALOGICAL ASSOC CANADA +3063|Canadian Mining Journal|Geosciences|0008-4492|Bimonthly| |SOUTHAM BUSINESS COMMUNICATION INC +3064|Canadian Modern Language Review-Revue Canadienne des Langues Vivantes|Social Sciences, general / Languages, Modern|0008-4506|Quarterly| |CANADIAN MODERN LANGUAGE REV +3065|Canadian Pharmacists Journal|Pharmacy; Pharmacology; Chemotherapy; Pharmacology, Clinical; Drug Therapy|1715-1635|Bimonthly| |CANADIAN PHARMACISTS ASSOC +3066|Canadian Poetry| |0704-5646|Semiannual| |UNIV W ONTARIO +3067|Canadian Psychology-Psychologie Canadienne|Psychiatry/Psychology / Psychology; Psychologie / Psychology; Psychologie / Psychology; Psychologie|0708-5591|Quarterly| |CANADIAN PSYCHOLOGICAL ASSOC +3068|Canadian Public Administration-Administration Publique Du Canada|Social Sciences, general / Public administration|0008-4840|Quarterly| |WILEY-BLACKWELL PUBLISHING +3069|Canadian Public Policy-Analyse de Politiques|Social Sciences, general / /|0317-0861|Quarterly| |CANADIAN PUBLIC POLICY +3070|Canadian Respiratory Journal|Clinical Medicine|1198-2241|Bimonthly| |PULSUS GROUP INC +3071|Canadian Review of American Studies| |0007-7720|Tri-annual| |UNIV TORONTO PRESS INC +3072|Canadian Review of Sociology-Revue Canadienne de Sociologie|Social Sciences, general / Sociology|1755-6171|Quarterly| |WILEY-BLACKWELL PUBLISHING +3073|Canadian Science Advisory Secretariat Research Document| |1499-3848|Irregular| |CANADIAN SCI ADVISORY SECRETARIAT-CSAS +3074|Canadian Science Advisory Secretariat Science Advisory Report| | |Irregular| |CANADIAN SCI ADVISORY SECRETARIAT-CSAS +3075|Canadian Society of Petroleum Geologists Memoir| |0703-1130|Irregular| |CANADIAN SOC PETROLEUM GEOLOGISTS +3076|Canadian Special Publication of Fisheries and Aquatic Sciences| |0706-6481|Irregular| |DEPT FISHERIES OCEANS SCIENTIFIC PUBL BRANCH +3077|Canadian Technical Report of Fisheries and Aquatic Sciences| |0706-6457|Irregular| |CANADA DEPT FISHERIES & OCEANS +3078|Canadian Veterinary Journal-Revue Veterinaire Canadienne|Plant & Animal Science|0008-5286|Monthly| |CANADIAN VET MED ASSOC +3079|Canadian Water Resources Journal|Environment/Ecology /|0701-1784|Quarterly| |CANADIAN WATER RESOURCES ASSOC-CWRA +3080|Canadian Wildlife Service Occasional Paper| |0576-6370|Irregular| |CANADIAN WILDLIFE SERVICE +3081|Canberra Bird Notes| |0314-8211|Quarterly| |CANBERRA ORNITHOLOGISTS GRP INC +3082|Cancer|Clinical Medicine / Cancer; Neoplasms; Oncologie; Kanker|0008-543X|Semimonthly| |JOHN WILEY & SONS INC +3083|Cancer and Metastasis Reviews|Clinical Medicine / Metastasis; Neoplasm Metastasis / Metastasis; Neoplasm Metastasis|0167-7659|Quarterly| |SPRINGER +3084|Cancer Biology & Therapy|Clinical Medicine /|1538-4047|Monthly| |LANDES BIOSCIENCE +3085|Cancer Biomarkers|Clinical Medicine|1574-0153|Bimonthly| |IOS PRESS +3086|Cancer Biotherapy and Radiopharmaceuticals|Clinical Medicine / Cancer; Radiopharmaceuticals; Biological products; Biological Products; Neoplasms; Radioisotopes / Cancer; Radiopharmaceuticals; Biological products; Biological Products; Neoplasms; Radioisotopes|1084-9785|Bimonthly| |MARY ANN LIEBERT INC +3087|Cancer Causes & Control|Clinical Medicine / Cancer; Neoplasms; Kanker; Epidemiologie / Cancer; Neoplasms; Kanker; Epidemiologie|0957-5243|Monthly| |SPRINGER +3088|Cancer Cell|Biology & Biochemistry / Cancer cells; Cancer; Neoplasms|1535-6108|Monthly| |CELL PRESS +3089|Cancer Cell International|Biology & Biochemistry / Cytology; Cell Transformation, Neoplastic; Neoplasms|1475-2867|Irregular| |BIOMED CENTRAL LTD +3090|Cancer Chemotherapy and Pharmacology|Clinical Medicine / Cancer; Antineoplastic agents; Antineoplastic Agents; Neoplasms|0344-5704|Monthly| |SPRINGER +3091|Cancer Cytopathology|Clinical Medicine /|1934-662X|Bimonthly| |JOHN WILEY & SONS INC +3092|Cancer Epidemiology|Clinical Medicine /|1877-7821|Bimonthly| |ELSEVIER SCI LTD +3093|Cancer Epidemiology Biomarkers & Prevention|Clinical Medicine / Cancer; Tumor markers; Genetic Markers; Neoplasms; Kanker; Epidemiologie; Preventieve geneeskunde; Biologische markers; Marqueurs tumoraux; Marqueurs génétiques; Tumeurs / Cancer; Tumor markers; Genetic Markers; Neoplasms; Kanker; Epi|1055-9965|Monthly| |AMER ASSOC CANCER RESEARCH +3094|Cancer Gene Therapy|Clinical Medicine / Gene therapy; Gene Therapy; Neoplasms; Kanker; Gentherapie|0929-1903|Monthly| |NATURE PUBLISHING GROUP +3095|Cancer Genetics and Cytogenetics|Clinical Medicine / Cancer; Cytogenetics; Neoplasms; Cytogénétique; Cellules cancéreuses; Kanker; Cytogenetica|0165-4608|Semimonthly| |ELSEVIER SCIENCE INC +3096|Cancer Genomics & Proteomics| |1109-6535|Bimonthly| |INT INST ANTICANCER RESEARCH +3097|Cancer Imaging| |1470-7330|Irregular| |E-MED +3098|Cancer Immunology Immunotherapy|Clinical Medicine / Immunotherapy; Immunology; Neoplasms / Immunotherapy; Immunology; Neoplasms|0340-7004|Monthly| |SPRINGER +3099|Cancer Investigation|Clinical Medicine / Cancer; Oncology; Medical Oncology; Neoplasms; Oncologie|0735-7907|Bimonthly| |TAYLOR & FRANCIS INC +3100|Cancer Journal|Clinical Medicine / Cancer; Neoplasms|1528-9117|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3101|Cancer Letters|Clinical Medicine / Cancer; Neoplasms; Research|0304-3835|Biweekly| |ELSEVIER IRELAND LTD +3102|Cancer Nursing|Social Sciences, general / Cancer; Neoplasms; Kanker; Verpleging / Cancer; Neoplasms; Kanker; Verpleging|0162-220X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3103|Cancer Prevention Research|Clinical Medicine /|1940-6207|Monthly| |AMER ASSOC CANCER RESEARCH +3104|Cancer Radiotherapie|Clinical Medicine / Cancer; Neoplasms|1278-3218|Bimonthly| |ELSEVIER +3105|Cancer Research|Clinical Medicine / Cancer; Neoplasms; Neoplasms, Experimental; Kanker; Onderzoek|0008-5472|Semimonthly| |AMER ASSOC CANCER RESEARCH +3106|Cancer Science|Clinical Medicine / Cancer; Neoplasms; Research|1347-9032|Monthly| |WILEY-BLACKWELL PUBLISHING +3107|Cancer Treatment Reviews|Clinical Medicine / Cancer; Neoplasms; Kanker; Therapieën|0305-7372|Quarterly| |ELSEVIER SCI LTD +3108|Candollea|Plant & Animal Science|0373-2967|Semiannual| |CONSERVATOIRE ET JARDIN BOTANIQUES VILLE GENEVE +3109|Candomba| |1809-0362|Semiannual| |FAC JORGE AMADO +3110|Canid News| |1478-2677|Irregular| |CANID SPECIALIST GROUP. DPT ZOOLOGY +3111|Canterbury Museum Bulletin| |0528-0311|Irregular| |CANTERBURY MUSEUM +3112|Caodi Xuebao| |1007-0435|Quarterly| |CHINA AGRICULTURAL UNIV +3113|Caprinae| | |Annual| |IUCN-SSC CAPRINAE SPECIALIST GROUP +3114|Caravelle-Cahiers Du Monde Hispanique et Luso-Bresilien| |1147-6753|Semiannual| |PRESSES UNIV MIRAIL +3115|Carbohydrate Polymers|Chemistry / Polysaccharides; Carbohydrates|0144-8617|Semimonthly| |ELSEVIER SCI LTD +3116|Carbohydrate Research|Chemistry / Carbohydrates; Chemistry, Organic; Biochemistry|0008-6215|Semimonthly| |ELSEVIER SCI LTD +3117|Carbon|Chemistry / Carbon|0008-6223|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3118|Carbonates and Evaporites|Geosciences /|0891-2556|Semiannual| |SPRINGER +3119|Carcinogenesis|Clinical Medicine / Carcinogenesis; Carcinogens; Medical Oncology; Mutagens; Neoplasms; Cancérogenèse; Carcinogenese|0143-3334|Monthly| |OXFORD UNIV PRESS +3120|Cardiology|Clinical Medicine / Cardiology; Cardiologie|0008-6312|Bimonthly| |KARGER +3121|Cardiology Clinics|Clinical Medicine /|0733-8651|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3122|Cardiology in Review|Clinical Medicine / Cardiovascular Diseases|1061-5377|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +3123|Cardiology in the Young|Clinical Medicine / Pediatric cardiology; Cardiovascular Diseases; Child; Infant|1047-9511|Bimonthly| |CAMBRIDGE UNIV PRESS +3124|Cardiology Journal|Clinical Medicine|1897-5593|Bimonthly| |VIA MEDICA +3125|Cardiovascular & Hematological Agents in Medicinal Chemistry|Cardiovascular pharmacology; Hematologic agents; Cardiovascular Agents; Hematologic Agents|1871-5257|Quarterly| |BENTHAM SCIENCE PUBL LTD +3126|Cardiovascular & Hematological Disorders-Drug Targets|Cardiovascular pharmacology; Cardiovascular agents; Blood; Hematologic agents; Cardiovascular Diseases; Cardiovascular Agents; Drug Delivery Systems; Hematologic Agents; Hematologic Diseases|1871-529X|Bimonthly| |BENTHAM SCIENCE PUBL LTD +3127|CardioVascular and Interventional Radiology|Clinical Medicine / Cardiovascular system; Interventional radiology; Radiology, Medical; Cardiovascular Diseases; Cardiovascular System; Appareil cardiovasculaire; Radiologie médicale|0174-1551|Bimonthly| |SPRINGER +3128|Cardiovascular Diabetology|Clinical Medicine / Diabetes; Cardiovascular system; Diabetes Mellitus; Cardiovascular Diseases|1475-2840|Irregular| |BIOMED CENTRAL LTD +3129|Cardiovascular Drugs and Therapy|Clinical Medicine / Cardiovascular agents; Cardiovascular system; Cardiovascular Agents; Cardiovascular Diseases|0920-3206|Bimonthly| |SPRINGER +3130|Cardiovascular Engineering|Clinical Medicine / Cardiovascular system; Cardiovascular System; Biomedical Engineering; Cardiovascular Diseases / Cardiovascular system; Cardiovascular System; Biomedical Engineering; Cardiovascular Diseases|1567-8822|Bimonthly| |SPRINGER +3131|Cardiovascular Journal of Africa|Clinical Medicine|1995-1892|Bimonthly| |CLINICS CARDIVE PUBL PTY LTD +3132|Cardiovascular Pathology|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases|1054-8807|Bimonthly| |ELSEVIER SCIENCE INC +3133|Cardiovascular Research|Clinical Medicine / Cardiovascular system; Cardiovascular System; Hart en bloedvaten; Appareil cardiovasculaire|0008-6363|Monthly| |OXFORD UNIV PRESS +3134|Cardiovascular Therapeutics|Clinical Medicine /|1755-5914|Quarterly| |WILEY-BLACKWELL PUBLISHING +3135|Cardiovascular Therapy and Prevention|Clinical Medicine|1728-8800|Bimonthly| |SILICEA-POLIGRAF +3136|Cardiovascular Toxicology|Pharmacology & Toxicology / Cardiovascular toxicology; Cardiovascular Diseases; Cardiovascular Agents; Cardiovascular System|1530-7905|Quarterly| |HUMANA PRESS INC +3137|Cardiovascular Ultrasound|Clinical Medicine / Echocardiography; Intravascular ultrasonography; Cardiovascular system; Cardiovascular System; Cardiovascular Diseases|1476-7120|Monthly| |BIOMED CENTRAL LTD +3138|Career Development International| |1362-0436|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +3139|Career Development Quarterly|Psychiatry/Psychology|0889-4019|Quarterly| |NATL CAREER DEVELOPMENT ASSOC +3140|Caribbean Journal of Earth Science| |0799-0901|Annual| |GEOLOGICAL SOC JAMAICA +3141|Caribbean Journal of Science|Social Sciences, general|0008-6452|Tri-annual| |UNIV PUERTO RICO +3142|Caribbean Marine Studies| |1017-7450|Annual| |INST MARINE AFFAIRS +3143|Caries Research|Clinical Medicine / Dental caries; Dentistry; Cariostatic Agents; Dental Caries|0008-6568|Bimonthly| |KARGER +3144|Carinthia Ii| |0374-6771|Irregular| |VERLAG NATURWISSENSCHAFTLICHEN VEREINS KARNTEN +3145|Carnegie Museum of Natural History Special Publication| |0145-9031|Irregular| |CARNEGIE MUSEUM NATURAL HISTORY +3146|Carnets de Geologie| |1634-0744|Irregular| |CARNETS GEOLOGIE +3147|Carolinea| |0176-3997|Annual| |STAATLICHES MUSEUM NATURKUNDE KARLSRUHE +3148|Carpathian Journal of Earth and Environmental Sciences|Geosciences|1842-4090|Semiannual| |NORTH UNIV BAIA MARE +3149|Carpathian Journal of Mathematics|Mathematics|1584-2851|Semiannual| |NORTH UNIV BAIA MARE +3150|Cartographic Journal|Social Sciences, general / Cartographie; Cartografie; CARTOGRAPHY; GEOGRAPHY|0008-7041|Semiannual| |MANEY PUBLISHING +3151|Cartography and Geographic Information Science|Social Sciences, general / Cartography; Geographic information systems; Cartografie; Cartographie; Systèmes d'information géographique|1523-0406|Quarterly| |CARTOGRAPHY & GEOGRAPHIC INFOR SOC +3152|Caryologia|Biology & Biochemistry|0008-7114|Tri-annual| |UNIV FLORENCE BOTANY INST +3153|Casopis Slezskeho Zemskeho Muzea Serie A Vedy Prirodni| |1211-3026|Tri-annual| |SLEZSKE ZEMSKE MUZEUM +3154|Caspian Journal of Environmental Sciences| |1735-3033|Semiannual| |UNIV GUILAN +3155|Castanea|Plant & Animal Science / Plants; Botany|0008-7475|Quarterly| |SOUTHERN APPALACHIAN BOTANICAL SOC +3156|Cat Chat| |0791-5012|Quarterly| |CATFISH STUDY GROUP-UK +3157|Cat News| |1027-2992|Semiannual| |IUCN-SSC CAT SPECIALIST GROUP +3158|Cataloghi Museo Civico Di Storia Naturale Di Trieste| |1123-4806|Annual| |MUSEO CIVICO STORIA NATURALE-TRIESTE +3159|Catalogue of American Amphibians and Reptiles| | |Irregular| |SOC STUDY AMPHIBIANS & REPTILES +3160|Catalogue of Collections in the Museum of Nature and Human Activities Hyogo| |1341-2140|Irregular| |MUSEUM NATURE & HUMAN ACTIVITIES +3161|Catalogue of the Materials in the Saitama Museum of Natural History| |1346-079X|Annual| |SAITAMA MUSEUM NATURAL HISTORY +3162|Catalogus de la Entomofauna Aragonesa| |1134-6108|Irregular| |SOC ENTOMOLOGICA ARAGONESA +3163|Catalogus Faunae Bulgaricae| | |Irregular| |PENSOFT PUBLISHERS +3164|Catalogus Fossilium Austriae| |0375-6084|Irregular| |VERLAG OSTERREICHISCHEN AKAD WISSENSCHAFTEN +3165|Catalysis Communications|Chemistry / Catalysis; Katalyse|1566-7367|Monthly| |ELSEVIER SCIENCE BV +3166|Catalysis Letters|Chemistry / Catalysis; Catalysts; Katalyse|1011-372X|Monthly| |SPRINGER +3167|Catalysis Reviews-Science and Engineering|Chemistry / Catalysis|0161-4940|Tri-annual| |TAYLOR & FRANCIS INC +3168|Catalysis Surveys from Asia|Chemistry / Catalysis; Katalyse|1571-1013|Quarterly| |SPRINGER/PLENUM PUBLISHERS +3169|Catalysis Today|Chemistry / Catalysis; Katalyse|0920-5861|Monthly| |ELSEVIER SCIENCE BV +3170|CATENA|Environment/Ecology / Geomorphology; Hydrology; Soil science; Geology, Structural; Soils; Bodemkunde; Geomorfologie; Hydrologie; Hydrogeologie|0341-8162|Monthly| |ELSEVIER SCIENCE BV +3171|Catesbeiana| |0892-0761|Semiannual| |VIRGINIA HERPETOLOGICAL SOC +3172|Catfish Study Group Uk Information Sheet| | |Annual| |CATFISH STUDY GROUP-UK +3173|Catheterization and Cardiovascular Interventions|Clinical Medicine / Heart; Cardiac catheterization; Heart Catheterization; Angiocardiography; Cardiovascular Diseases; Hartcatheterisatie; Hart- en vaatziekten|1522-1946|Monthly| |WILEY-LISS +3174|Catholic Biblical Quarterly| |0008-7912|Quarterly| |CATHOLIC BIBLICAL ASSOC AMER +3175|Catholic Historical Review| |0008-8080|Quarterly| |CATHOLIC UNIV AMER PRESS +3176|Catholic University Law Review|Social Sciences, general|1530-6119|Quarterly| |CATHOLIC UNIV AMER PRESS +3177|Cattle Practice|Plant & Animal Science|0969-1251|Tri-annual| |BRITISH CATTLE VETERINARY ASSOC +3178|Cave and Karst Science| |1356-191X|Tri-annual| |BRITISH CAVE RESEARCH ASSOC +3179|Cbe-Life Sciences Education|Social Sciences, general|1931-7913|Quarterly| |AMER SOC CELL BIOLOGY +3180|Cca Ecological Journal| | |Annual| |CONSERVATION CORP AFRICA +3181|CCAMLR Science|Plant & Animal Science|1023-4063|Annual| |C C A M L R TI +3182|Ccw Marine Monitoring Report| | |Irregular| |COUNTRYSIDE COUNCIL WALES +3183|Cea Critic| |0007-8069|Tri-annual| |CEA PUBLICATIONS +3184|Cecidology| |0268-2907|Semiannual| |BRITISH PLANT GALL SOC +3185|Cefas Science Series Technical Report| |1467-5609|Irregular| |CENTRE ENVIRONMENT +3186|Ceiba| |0008-8692|Semiannual| |ZAMORANO +3187|Celestial Mechanics & Dynamical Astronomy|Space Science / Celestial mechanics / Celestial mechanics|0923-2958|Monthly| |SPRINGER +3188|Cell|Molecular Biology & Genetics / Cytology; Virology|0092-8674|Biweekly| |CELL PRESS +3189|Cell and Chromosome Research| |0254-2935|Tri-annual| |ASSOC CELL & CHROMOSOME RESEARCH +3190|Cell and Tissue Banking|Molecular Biology & Genetics / Tissue banks; Cell transplantation; Biological Specimen Banks; Cell Transplantation; Tissue Banks; Tissue Preservation; Tissue Transplantation; Opslag; Conservatie; Weefsel; Cellen (biologie)|1389-9333|Quarterly| |SPRINGER +3191|Cell and Tissue Research|Molecular Biology & Genetics / Cytology; Histology / Cytology; Histology / Cytology; Histology|0302-766X|Monthly| |SPRINGER +3192|Cell Biochemistry and Biophysics|Biology & Biochemistry / Cytology; Biophysics; Cells|1085-9195|Bimonthly| |HUMANA PRESS INC +3193|Cell Biochemistry and Function|Molecular Biology & Genetics / Cytochemistry; Cell metabolism; Biochemistry; Cytology; Biochimie; Cytologie|0263-6484|Quarterly| |JOHN WILEY & SONS LTD +3194|Cell Biology and Toxicology|Molecular Biology & Genetics / Cytology; Pathology, Cellular; Toxicology|0742-2091|Bimonthly| |SPRINGER +3195|Cell Biology International|Molecular Biology & Genetics / Cytology; Cells|1065-6995|Monthly| |PORTLAND PRESS LTD +3196|Cell Calcium|Molecular Biology & Genetics / Calcium; Cell physiology; Calcium in the body; Cell Physiology; Cellules; Calcium dans l'organisme|0143-4160|Monthly| |CHURCHILL LIVINGSTONE +3197|Cell Communication and Adhesion|Molecular Biology & Genetics / Cell adhesion; Cell interaction; Cellular signal transduction; Cell Communication; Cell Adhesion|1541-9061|Bimonthly| |INFORMA HEALTHCARE +3198|Cell Communication and Signaling|Molecular Biology & Genetics / Cell interaction; Cell Communication|1478-811X|Monthly| |BIOMED CENTRAL LTD +3199|Cell Cycle|Molecular Biology & Genetics /|1538-4101|Semimonthly| |LANDES BIOSCIENCE +3200|Cell Death & Disease| |2041-4889|Monthly| |NATURE PUBLISHING GROUP +3201|Cell Death and Differentiation|Molecular Biology & Genetics / Cell death; Cell differentiation; Cell Death; Cell Differentiation|1350-9047|Monthly| |NATURE PUBLISHING GROUP +3202|Cell Host & Microbe|Microbiology / Microbiology; Host-parasite relationships; Immunology; Cells; Host-Parasite Relations; Bacterial Infections; Immunity; Mycoses; Virus Diseases|1931-3128|Monthly| |CELL PRESS +3203|Cell Metabolism|Molecular Biology & Genetics / Cell metabolism; Cells; Metabolic Diseases; Homeostasis|1550-4131|Monthly| |CELL PRESS +3204|Cell Proliferation|Molecular Biology & Genetics / Cell proliferation; Cell Cycle; Cell Differentiation|0960-7722|Quarterly| |WILEY-BLACKWELL PUBLISHING +3205|Cell Research|Molecular Biology & Genetics / Cells; Cytology|1001-0602|Monthly| |INST BIOCHEMISTRY & CELL BIOLOGY +3206|Cell Stem Cell|Clinical Medicine / Stem cells; Stem Cells|1934-5909|Monthly| |CELL PRESS +3207|Cell Stress & Chaperones|Molecular Biology & Genetics / Cytology; Stress (Physiology); Molecular chaperones; Cell Survival; Drug Toxicity; Heat-Shock Response; Metals; Molecular Chaperones; Oxidative Stress|1355-8145|Quarterly| |SPRINGER +3208|Cell Structure and Function|Molecular Biology & Genetics / Cytology; Cytologie|0386-7196|Semiannual| |JAPAN SOC CELL BIOLOGY +3209|Cell Transplantation|Clinical Medicine / Cell transplantation; Cell Transplantation|0963-6897|Bimonthly| |COGNIZANT COMMUNICATION CORP +3210|Cells Tissues Organs|Molecular Biology & Genetics / Anatomy, Comparative; Histology; Embryology; Anatomy; Cells; Biomedical Engineering; Computational Biology; Transplants; Anatomie; Histologie; Embryologie; Celbiologie|1422-6405|Monthly| |KARGER +3211|Cellular & Molecular Biology Letters|Molecular Biology & Genetics / Cytology; Molecular biology; Biochemistry; Biophysics; Cells; Molecular Biology; Physiology; Celbiologie; Moleculaire biologie|1425-8153|Quarterly| |VERSITA +3212|Cellular & Molecular Immunology|Immunology /|1672-7681|Bimonthly| |NATURE PUBLISHING GROUP +3213|Cellular and Molecular Bioengineering|Molecular Biology & Genetics / Biomedical Engineering; Biotechnology|1865-5025|Quarterly| |SPRINGER +3214|Cellular and Molecular Biology|Molecular Biology & Genetics|0145-5680|Bimonthly| |C M B ASSOC +3215|Cellular and Molecular Biology Online Papers| |1165-158X|Irregular| |C M B ASSOC +3216|Cellular and Molecular Life Sciences|Biology & Biochemistry / Life sciences; Molecular biology; Cytology; Biological Sciences; Molecular Biology|1420-682X|Semimonthly| |BIRKHAUSER VERLAG AG +3217|Cellular and Molecular Neurobiology|Neuroscience & Behavior / Molecular neurobiology; Cytology; Molecular Biology; Neurons; Neurophysiology; Moleculaire biologie; Neurobiologie|0272-4340|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +3218|Cellular Immunology|Immunology / Cellular immunity|0008-8749|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +3219|Cellular Microbiology|Microbiology / Microbiology; Cytology; Host-parasite relationships; Microbiologie; Cells; Celbiologie|1462-5814|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3220|Cellular Oncology|Clinical Medicine|1570-5870|Bimonthly| |IOS PRESS +3221|Cellular Physiology and Biochemistry|Molecular Biology & Genetics / Cytology; Biochemistry; Pharmacology; Cell Physiology; Cells|1015-8987|Bimonthly| |KARGER +3222|Cellular Polymers|Materials Science|0262-4893|Bimonthly| |ISMITHERS-IRAPRA TECHNOLOGY LTD +3223|Cellular Reprogramming|Molecular Biology & Genetics /|2152-4971|Bimonthly| |MARY ANN LIEBERT INC +3224|Cellular Signalling|Molecular Biology & Genetics / Cell interaction; Signal Transduction; Transduction du signal cellulaire; Cellules|0898-6568|Monthly| |ELSEVIER SCIENCE INC +3225|Cellulose|Materials Science / Cellulose|0969-0239|Quarterly| |SPRINGER +3226|Cellulose Chemistry and Technology|Materials Science|0576-9787|Tri-annual| |EDITURA ACAD ROMANE +3227|Cement & Concrete Composites|Materials Science / Composite-reinforced concrete; Cement composites; Concrete; Composite materials; Lightweight concrete|0958-9465|Bimonthly| |ELSEVIER SCI LTD +3228|Cement and Concrete Research|Materials Science / Cement; Concrete|0008-8846|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3229|Cement Wapno Beton|Materials Science|1425-8129|Bimonthly| |STOWARZYSZENIE PRODUCENTOW CEMENTU +3230|Center for Systematic Entomology Memoir| | |Irregular| |CTR SYSTEMATIC ENTOMOLOGY INC +3231|Central Asiatic Journal| |0008-9192|Semiannual| |VERLAG OTTO HARRASSOWITZ +3232|Central European Geology|Geology|1788-2281|Quarterly| |AKADEMIAI KIADO RT +3233|Central European History| |0008-9389|Quarterly| |CAMBRIDGE UNIV PRESS +3234|Central European Journal of Biology|Biology & Biochemistry /|1895-104X|Quarterly| |VERSITA +3235|Central European Journal of Chemistry|Chemistry /|1895-1066|Bimonthly| |VERSITA +3236|Central European Journal of Immunology|Immunology|1426-3912|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +3237|Central European Journal of Mathematics|Mathematics /|1895-1074|Quarterly| |VERSITA +3238|Central European Journal of Medicine|Clinical Medicine / Medicine|1895-1058|Quarterly| |VERSITA +3239|Central European Journal of Operations Research|Engineering /|1435-246X|Quarterly| |SPRINGER +3240|Central European Journal of Physics|Physics /|1895-1082|Quarterly| |VERSITA +3241|Central European Journal of Public Health| |1210-7778|Quarterly| |NATL INST PUBLIC HEALTH +3242|Central European Neurosurgery|Neuroscience & Behavior / / Neurosurgery / Neurosurgery|0044-4251|Quarterly| |GEORG THIEME VERLAG KG +3243|Central Mediterranean Naturalist| |1560-8417|Annual| |NATURE TRUST-MALTA +3244|Central Nervous System Agents in Medicinal Chemistry|Central nervous system; Neuropharmacology; Pharmaceutical chemistry; Chemistry, Pharmaceutical; Central Nervous System; Central Nervous System Agents; Drug Design|1871-5249|Quarterly| |BENTHAM SCIENCE PUBL LTD +3245|Centre D Estudis de la Natura Del Barcelones Nord Butlleti| |0213-3598|Annual| |CENTRE ESTUDIS NATURA BARCELONES NORD +3246|Centre for Entomological Studies Memoirs| |1015-8227|Irregular| |CENTRE ENTOMOLOGICAL STUDIES ANKARA-CESA +3247|Centre for Entomological Studies Miscellaneous Papers| |1015-8235|Irregular| |CENTRE ENTOMOLOGICAL STUDIES ANKARA-CESA +3248|Centro de Biodiversidad Y Ambiente Museo de Zoologia Publicacion Especial| | |Annual| |CENTRO BIODIVERSIDAD AMBIENTE +3249|Centro Journal|Social Sciences, general|1538-6279|Semiannual| |HUNTER COLLEGE-CUNY +3250|Cepal Review|Economics & Business|0251-2920|Tri-annual| |COMISION ECONOMICA PARA AMERICA LATINA Y EL CARIBE +3251|Cephalalgia|Neuroscience & Behavior / Headache|0333-1024|Monthly| |SAGE PUBLICATIONS LTD +3252|Ceramics International|Materials Science / Ceramics|0272-8842|Bimonthly| |ELSEVIER SCI LTD +3253|Ceramics-Art and Perception| |1035-1841|Quarterly| |CERAMICS-ART & PERCEPTION PTY LTD +3254|Ceramics-Silikaty|Materials Science|0862-5468|Quarterly| |INST CHEMICAL TECHNOLOGY +3255|Ceramics-Technical|Materials Science|1324-4175|Semiannual| |CERAMICS-ART & PERCEPTION PTY LTD +3256|Cercle des Lepidopteristes de Belgique Bulletin| |0778-4686|Quarterly| |CERCLE LEPIDOPTERISTES BELGIQUE +3257|Cereal Chemistry|Agricultural Sciences / Chemistry, Technical; Baking; Cereals; Food Analysis; Moulins à farine; Pain; Chimie industrielle|0009-0352|Bimonthly| |AMER ASSOC CEREAL CHEMISTS +3258|Cereal Foods World|Agricultural Sciences / Cereal products|0146-6283|Bimonthly| |AMER ASSOC CEREAL CHEMISTS +3259|Cereal Research Communications|Agricultural Sciences / Grain|0133-3720|Quarterly| |AKADEMIAI KIADO RT +3260|Cerebellum|Neuroscience & Behavior / Cerebellum; Ataxia; Cognition; Neurophysiology|1473-4222|Quarterly| |SPRINGER +3261|Cerebral Cortex|Neuroscience & Behavior / Cerebral cortex; Cerebral Cortex; Cortex cérébral|1047-3211|Monthly| |OXFORD UNIV PRESS INC +3262|Cerebrovascular Diseases|Neuroscience & Behavior / Cerebrovascular disease; Cerebrovascular Disorders; Cerebrovasculaire stoornissen|1015-9770|Bimonthly| |KARGER +3263|Cerne|Plant & Animal Science|0104-7760|Quarterly| |UNIV FEDERAL LAVRAS-UFLA +3264|Cerrahpasa Tip Dergisi| |1300-5227|Quarterly| |ISTANBUL UNIV +3265|Cesa News| | |Irregular| |CENTRE ENTOMOLOGICAL STUDIES ANKARA-CESA +3266|Cesa Publications on African Lepidoptera| | | | |CENTRE ENTOMOLOGICAL STUDIES ANKARA-CESA +3267|CESifo Economic Studies|Economics & Business / Economics|1610-241X|Tri-annual| |OXFORD UNIV PRESS +3268|Ceska A Slovenska Farmacie| |1210-7816|Bimonthly| |CESKA LEKARSKA SPOLECNOST J EV PURKYNE +3269|Ceska A Slovenska Neurologie A Neurochirurgie|Clinical Medicine|1210-7859|Irregular| |CZECH MEDICAL SOC +3270|Ceska Literatura| |0009-0468|Bimonthly| |CZECH ACAD SCIENCES +3271|Ceskoslovenska Psychologie|Psychiatry/Psychology|0009-062X|Bimonthly| |ACADEMIA +3272|Cesky Lid-Ethnologicky Casopis|Social Sciences, general|0009-0794|Quarterly| |ACAD SCI CZECH REPUBLIC INST ETHNOLOGY +3273|Cetoniidarum Generum Lexicon| | |Irregular| |CETONIIMANIA +3274|Cetoniidarum Specierum Lexicon| |1376-7402|Quarterly| |CETONIIMANIA +3275|Cetoniimania| |1376-5035|Quarterly| |CETONIIMANIA +3276|Ceylon Journal of Science Biological Sciences| |0069-2379|Irregular| |UNIV PERADENIYA +3277|Ceylon Medical Journal|Medicine|0009-0875|Quarterly| |ELSEVIER - DIVISION REED ELSEVIER INDIA PVT LTD +3278|Cfi-Ceramic Forum International|Materials Science|0173-9913|Monthly| |GOLLER VERLAG GMBH +3279|Cfo| |8756-7113|Monthly| |C F O PUBLISHING CORP +3280|Chalcogenide Letters|Physics|1584-8663|Monthly| |NATL INST R&D MATERIALS PHYSICS +3281|Change|Education, Higher; Education; Hoger onderwijs; Kwaliteitsverbetering; Enseignement supérieur|0009-1383|Bimonthly| |HELDREF PUBLICATIONS +3282|Channels|Chemistry /|1933-6950|Bimonthly| |LANDES BIOSCIENCE +3283|Chaos|Physics / Chaotic behavior in systems; Nonlinear theories; Nonlinear Dynamics|1054-1500|Quarterly| |AMER INST PHYSICS +3284|Chaos Solitons & Fractals|Physics / Chaotic behavior in systems; Solitons; Fractals|0960-0779|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3285|Character and Personality| |0730-6407|Quarterly| |DUKE UNIV PRESS +3286|Chasqui-Revista de Literatura Latinoamericana| |0145-8973|Semiannual| |UNIV GEORGIA +3287|Chat| |0009-1987|Quarterly| |CAROLINA BIRD CLUB +3288|Chaucer Review| |0009-2002|Quarterly| |PENN STATE UNIV PRESS +3289|Check List| |1809-127X|Annual| |LUISA FELIPE TOLEDO +3290|Check-Listen Thueringer Insekten| | |Irregular| |THUERINGER ENTOMOLOGENVERBAND E.V. +3291|Chelonian Conservation and Biology|Plant & Animal Science / Turtles; Wildlife conservation; Schildpadden|1071-8443|Semiannual| |CHELONIAN RESEARCH FOUNDATION +3292|Cheloniens| |1951-1795|Quarterly| |FEDERATION FRANCOPHONE L ELEVATE PROTECTION TORTUES-FFEPT +3293|Chelonii| |2101-2326| | |SOPTOM +3294|ChemBioChem|Molecular Biology & Genetics / Biochemistry; Molecular biology; Pharmaceutical chemistry; Chemistry; Biochimie|1439-4227|Monthly| |WILEY-V C H VERLAG GMBH +3295|ChemCatChem|Chemistry /|1867-3880|Quarterly| |WILEY-V C H VERLAG GMBH +3296|Chemia Analityczna|Engineering|0009-2223|Bimonthly| |POLSKIE TOWARZYSTWO CHEMICZNE-POLISH CHEMICAL SOC +3297|Chemical & Engineering News|Chemistry / Chemistry, Technical; Chemical engineering; Química técnica; Ingeniería química; Chimie; Chemische industrie; CHEMICAL ENGINEERING|0009-2347|Weekly| |AMER CHEMICAL SOC +3298|CHEMICAL & PHARMACEUTICAL BULLETIN|Chemistry / Pharmaceutical chemistry; Pharmacology|0009-2363|Monthly| |PHARMACEUTICAL SOC JAPAN +3299|Chemical and Biochemical Engineering Quarterly|Chemistry|0352-9568|Quarterly| |CROATIAN SOC CHEMICAL ENGINEERING TECHNOLOGY +3300|Chemical and Process Engineering-Inzynieria Chemiczna I Procesowa| |0208-6425|Quarterly| |TECHNICAL UNIV WROCLAW +3301|Chemical Biology & Drug Design|Biology & Biochemistry / Peptides; Proteins; Drugs; Biochemistry; Drug Design; Protéines; Médicaments; Biochimie|1747-0277|Monthly| |WILEY-BLACKWELL PUBLISHING +3302|Chemical Communications|Chemistry / Chemistry|1359-7345|Weekly| |ROYAL SOC CHEMISTRY +3303|Chemical Engineering|Chemistry|0009-2460|Monthly| |CHEMICAL WEEK ASSOC +3304|Chemical Engineering & Technology|Chemistry / Chemical engineering; Chemical processes / Chemical engineering; Chemical processes|0930-7516|Monthly| |WILEY-V C H VERLAG GMBH +3305|Chemical Engineering and Processing|Chemistry / Chemical engineering / Chemical engineering|0255-2701|Monthly| |ELSEVIER SCIENCE SA +3306|Chemical Engineering Communications|Chemistry / Chemical engineering|0098-6445|Monthly| |TAYLOR & FRANCIS INC +3307|Chemical Engineering Journal|Chemistry / Chemical engineering; Génie chimique; Génie biochimique|1385-8947|Semimonthly| |ELSEVIER SCIENCE SA +3308|Chemical Engineering Progress|Chemistry|0360-7275|Monthly| |AMER INST CHEMICAL ENGINEERS +3309|Chemical Engineering Research & Design|Chemistry / Chemical engineering|0263-8762|Monthly| |INST CHEMICAL ENGINEERS +3310|Chemical Engineering Science|Chemistry / Chemical engineering|0009-2509|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3311|Chemical Geology|Geosciences / Geochemistry; Mineralogical chemistry; Géochimie; Chimie inorganique; Geochemie|0009-2541|Semimonthly| |ELSEVIER SCIENCE BV +3312|Chemical Immunology|Immunology|1015-0145|Annual| |KARGER +3313|Chemical Industry & Chemical Engineering Quarterly|Chemistry /|1451-9372|Quarterly| |ASSOC CHEMICAL ENG +3314|Chemical Journal of Chinese Universities-Chinese|Chemistry|0251-0790|Monthly| |HIGHER EDUCATION PRESS +3315|Chemical Papers|Chemistry /|0366-6352|Bimonthly| |VERSITA +3316|Chemical Physics|Chemistry / Chemistry, Physical and theoretical; Chemistry; Physics|0301-0104|Semimonthly| |ELSEVIER SCIENCE BV +3317|Chemical Physics Letters|Chemistry / Chemistry, Physical and theoretical; Chimie physique et théorique|0009-2614|Biweekly| |ELSEVIER SCIENCE BV +3318|Chemical Record|Chemistry / Chemistry|1527-8999|Bimonthly| |JOHN WILEY & SONS INC +3319|Chemical Research in Chinese Universities|Chemistry / Chemistry|1005-9040|Bimonthly| |HIGHER EDUCATION PRESS +3320|Chemical Research in Toxicology|Pharmacology & Toxicology / Toxicology; Poisons; Research; Toxicologie|0893-228X|Monthly| |AMER CHEMICAL SOC +3321|Chemical Reviews|Chemistry / Chemistry; Chimie; Chemie|0009-2665|Monthly| |AMER CHEMICAL SOC +3322|Chemical Senses|Neuroscience & Behavior / Chemical senses; Sensation; Sens et sensations|0379-864X|Monthly| |OXFORD UNIV PRESS +3323|Chemical Society Reviews|Chemistry / Chemistry; Chimie; Chemie|0306-0012|Monthly| |ROYAL SOC CHEMISTRY +3324|Chemical Speciation and Bioavailability|Environment/Ecology / Pollution; Speciation (Chemistry); Bioavailability; Environmental chemistry|0954-2299|Quarterly| |SCIENCE REVIEWS 2000 LTD +3325|Chemical Vapor Deposition|Materials Science / Chemical vapor deposition; Depositie (scheikunde)|0948-1907|Bimonthly| |WILEY-V C H VERLAG GMBH +3326|Chemicke Listy|Chemistry|0009-2770|Monthly| |CHEMICKE LISTY +3327|Chemico-Biological Interactions|Pharmacology & Toxicology / Biochemistry; Molecular Biology|0009-2797|Semimonthly| |ELSEVIER IRELAND LTD +3328|Chemie der Erde-Geochemistry|Geosciences / Mineralogical chemistry; Petrology; Geology; Soils; Soil science; Geochemistry; Minerals; Geochemie|0009-2819|Quarterly| |ELSEVIER GMBH +3329|Chemie in unserer Zeit|Chemistry / Chemistry; Chemie|0009-2851|Bimonthly| |WILEY-V C H VERLAG GMBH +3330|Chemie Ingenieur Technik|Chemistry / Chemical engineering; Chemical industry; Chemistry, Technical / Chemical engineering; Chemical industry; Chemistry, Technical|0009-286X|Monthly| |WILEY-V C H VERLAG GMBH +3331|Chemija|Chemistry|0235-7216|Quarterly| |LIETUVOS MOKSLU AKAD LEIDYKLA +3332|Chemistry & Biodiversity|Environment/Ecology / Biochemistry; Molecular biology; Biodiversity; Molecular Structure; Molecular Biology; Biodiversität; Biochemie|1612-1872|Monthly| |WILEY-V C H VERLAG GMBH +3333|Chemistry & Biology|Biology & Biochemistry / Biochemistry; Biology; Chemistry; Chemie; Biologie|1074-5521|Monthly| |CELL PRESS +3334|Chemistry & Industry|Chemistry|0009-3068|Semimonthly| |SOC CHEMICAL INDUSTRY +3335|Chemistry and Ecology|Environment/Ecology / Pollution; Ecology; Chemistry|0275-7540|Bimonthly| |TAYLOR & FRANCIS LTD +3336|Chemistry and Physics of Carbon|Chemistry|0069-3138|Annual| |CRC PRESS-TAYLOR & FRANCIS GROUP +3337|Chemistry and Physics of Lipids|Biology & Biochemistry / Lipids; Lipides; Biochimie; Biochemie; Lipiden|0009-3084|Monthly| |ELSEVIER IRELAND LTD +3338|Chemistry and Technology of Fuels and Oils|Engineering / Fuel; Petroleum as fuel|0009-3092|Bimonthly| |SPRINGER +3339|Chemistry Central Journal|Chemistry /|1752-153X|Monthly| |BIOMED CENTRAL LTD +3340|Chemistry Education Research and Practice|Chemistry /|1109-4028|Quarterly| |ROYAL SOC CHEMISTRY +3341|Chemistry Letters|Chemistry / Chemistry; Chemistry, Organic; Chemistry, Physical and theoretical; Chemistry, Technical; Chemical Industry; Chimie; Chemie|0366-7022|Monthly| |CHEMICAL SOC JAPAN +3342|Chemistry of Heterocyclic Compounds|Heterocyclic compounds; Chemistry, Organic; Heterocyclic Compounds|0009-3122|Monthly| |SPRINGER +3343|Chemistry of Materials|Materials Science / Chemistry; Materials; Materiaalonderzoek; Chemie|0897-4756|Semimonthly| |AMER CHEMICAL SOC +3344|Chemistry of Natural Compounds|Chemistry / Chemistry, Organic|0009-3130|Bimonthly| |SPRINGER +3345|Chemistry World|Chemistry|1473-7604|Monthly| |ROYAL SOC CHEMISTRY +3346|Chemistry-A European Journal|Chemistry / Chemistry; Chimie; Chemie / Chemistry; Chimie; Chemie|0947-6539|Semimonthly| |WILEY-V C H VERLAG GMBH +3347|Chemistry-An Asian Journal|Chemistry / Chemistry|1861-4728|Monthly| |WILEY-V C H VERLAG GMBH +3348|ChemMedChem|Pharmacology & Toxicology / Pharmaceutical chemistry; Chemistry, Pharmaceutical|1860-7179|Monthly| |WILEY-V C H VERLAG GMBH +3349|Chemoecology|Environment/Ecology / Chemical ecology; Biology; Chemistry; Ecology; Evolution|0937-7409|Quarterly| |BIRKHAUSER VERLAG AG +3350|Chemometrics and Intelligent Laboratory Systems|Engineering / Chemistry; Computation laboratories; Mathematical models; Chemistry, Analytical; Clinical Laboratory Information Systems; Information Systems; Mathematics; Statistics|0169-7439|Bimonthly| |ELSEVIER SCIENCE BV +3351|Chemosensory Perception|Neuroscience & Behavior /|1936-5802|Quarterly| |SPRINGER +3352|Chemosphere|Environment/Ecology / Ecology; Pollution; Environmental Monitoring; Environmental Pollution; Milieutoxicologie; Chemie; Biologische aspecten|0045-6535|Weekly| |PERGAMON-ELSEVIER SCIENCE LTD +3353|Chemotherapy|Pharmacology & Toxicology / Chemotherapy; Drug Therapy; Pharmacology; Chimiothérapie; Pharmacologie|0009-3157|Bimonthly| |KARGER +3354|ChemPhysChem|Chemistry / Chemistry, Physical and theoretical; Chemistry, Physical; Physics; Fysische chemie; Chimie physique et théorique|1439-4235|Monthly| |WILEY-V C H VERLAG GMBH +3355|ChemSusChem|Chemistry / Chemistry; Environmental chemistry; Environment|1864-5631|Monthly| |WILEY-V C H VERLAG GMBH +3356|Chenji Yu Tetisi Dizhi| |1009-3850|Quarterly| |CHENGDU INST GEOLOGY MINERAL RESOURCES +3357|Chest|Clinical Medicine / Chest; Thoracic Diseases; Thorax; Ademhalingsorganen; Hart en bloedvaten|0012-3692|Monthly| |AMER COLL CHEST PHYSICIANS +3358|Chew Valley Ringing Station Report| |0962-4295|Annual| |CHEW VALLERY RINGING STATION +3359|Chiang Mai Journal of Science|Multidisciplinary|0125-2526|Tri-annual| |CHIANG MAI UNIV +3360|Chicago Review| |0009-3696|Quarterly| |CHICAGO REVIEW +3361|Child & Family Behavior Therapy|Psychiatry/Psychology / Child psychotherapy; Behavior therapy; Family psychotherapy; Behavior Therapy; Family Therapy|0731-7107|Quarterly| |ROUTLEDGE JOURNALS +3362|Child & Family Social Work|Social Sciences, general / Social work with children; Family social work; Service social aux enfants; Service social familial; Parents et enfants|1356-7500|Quarterly| |WILEY-BLACKWELL PUBLISHING +3363|Child Abuse & Neglect|Social Sciences, general / Child abuse; Child Abuse|0145-2134|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3364|Child Abuse Review|Child abuse; Abused children; Child Abuse|0952-9136|Bimonthly| |JOHN WILEY & SONS LTD +3365|Child and Adolescent Psychiatric Clinics of North America|Psychiatry/Psychology / Child psychiatry; Adolescent psychiatry; Adolescent Psychiatry; Child Psychiatry; Mental Disorders; Adolescent; Child; Infant|1056-4993|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3366|Child Care Health and Development|Clinical Medicine / Child development; Child care; Children; Children with disabilities; Child Care; Child Development; Disabled Persons; Enfants; Enfants handicapés; Kindergeneeskunde / Child development; Child care; Children; Children with disabilities|0305-1862|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3367|Child Development|Psychiatry/Psychology / Child development; Child psychology; Child Psychology; Growth; Kinderen; Ontwikkelingspsychologie; Enfants|0009-3920|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3368|Child Development Perspectives|Child development; Enfants; Child Development|1750-8592|Tri-annual| |JOHN WILEY & SONS INC +3369|Child Indicators Research|Social Sciences, general /|1874-897X|Quarterly| |SPRINGER +3370|Child Language Teaching & Therapy|Social Sciences, general / Learning disabled children; Children; Speech therapy for children; Children with disabilities; Taalstoornissen; Kinderen|0265-6590|Tri-annual| |SAGE PUBLICATIONS LTD +3371|Child Maltreatment|Psychiatry/Psychology / Child abuse; Abused children; Child Abuse; Violence envers les enfants; Enfants maltraités; Service social aux enfants maltraités|1077-5595|Quarterly| |SAGE PUBLICATIONS INC +3372|Child Neuropsychology|Clinical Medicine / Pediatric neuropsychology; Adolescent psychology; Child development deviations; Child psychology; Adolescent Psychology; Child Development; Child Psychology; Developmental Disabilities; Growth; Growth Disorders; Neuropsychology; Adole|0929-7049|Quarterly| |PSYCHOLOGY PRESS +3373|Child Psychiatry & Human Development|Psychiatry/Psychology / Child psychiatry; Child Development; Child Psychiatry; Enfants|0009-398X|Quarterly| |SPRINGER +3374|Child Welfare|Social Sciences, general|0009-4021|Bimonthly| |CHILD WELFARE LEAGUE AMER INC +3375|Childhood-A Global Journal of Child Research|Social Sciences, general / Children; Child development; Child; Child Behavior; Child Development; Child Psychology; Child Welfare|0907-5682|Quarterly| |SAGE PUBLICATIONS LTD +3376|Children & Society|Social Sciences, general / Children; Child development; Child welfare; Kinderen; Maatschappij|0951-0605|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3377|Children and Youth Services Review|Social Sciences, general / Social work with children; Social work with youth; Adolescent; Child Welfare; Social Work|0190-7409|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3378|Childrens Health Care|Social Sciences, general / Children; Child health services; Child Health Services; Child, Hospitalized|0273-9615|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +3379|Childrens Literature in Education|Social Sciences, general / Children's literature; Littérature de jeunesse / Children's literature; Littérature de jeunesse|0045-6713|Quarterly| |SPRINGER +3380|Childs Nervous System|Clinical Medicine / Pediatric neurology; Nervous System Diseases; Neurosurgery; Child; Infant / Pediatric neurology; Nervous System Diseases; Neurosurgery; Child; Infant|0256-7040|Monthly| |SPRINGER +3381|Chilean journal of agricultural research|Agricultural Sciences /|0718-5820|Quarterly| |INST INVESTIGACIONES AGROPECUARIAS +3382|Chimia|Chemistry / Chemistry; Chemistry, Technical|0009-4293|Monthly| |SWISS CHEMICAL SOC +3383|Chimica Oggi-Chemistry Today|Chemistry|1973-8250|Monthly| |TEKNOSCIENZE PUBL +3384|China & World Economy|Economics & Business / Economic indicators; Economics|1671-2234|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3385|China Agricultural Economic Review| |1756-137X|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +3386|China Communications|Engineering|1673-5447|Bimonthly| |CHINA INST COMMUNICATIONS +3387|China Economic Review|Economics & Business /|1043-951X|Quarterly| |ELSEVIER SCIENCE INC +3388|China Environmental Science| |1000-6923|Bimonthly| |CHINA INT BOOK TRADING CORP +3389|China Foundry|Engineering|1672-6421|Quarterly| |FOUNDRY JOURNAL AGENCY +3390|China Journal|Social Sciences, general /|1324-9347|Semiannual| |CONTEMPORARY CHINA CENTRE +3391|China Ocean Engineering|Engineering|0890-5487|Quarterly| |CHINA OCEAN PRESS +3392|China Petroleum Processing & Petrochemical Technology|Geosciences|1008-6234|Quarterly| |CHINA PETROLEUM PROCESSING & PETROCHEMICAL TECHNOLOGY PRESS +3393|China Pharmacist| |1008-049X|Bimonthly| |YAOWU LIUXINGBINGXUE ZAZHISHE +3394|China Quarterly|Social Sciences, general|0305-7410|Quarterly| |CAMBRIDGE UNIV PRESS +3395|China Review-An Interdisciplinary Journal on Greater China|Social Sciences, general|1680-2012|Semiannual| |CHINESE UNIV PRESS +3396|Chinese Annals of Mathematics Series B|Mathematics / Mathematics / Mathematics|0252-9599|Bimonthly| |SHANGHAI SCIENTIFIC TECHNOLOGY LITERATURE PUBLISHING HOUSE +3397|Chinese Bulletin of Entomology| |0452-8255|Bimonthly| |CHINESE BULLETIN ENTOMOLOGY +3398|Chinese Chemical Letters|Chemistry /|1001-8417|Monthly| |ELSEVIER SCIENCE INC +3399|Chinese Geographical Science|Geosciences / Physical geography|1002-0063|Quarterly| |SPRINGER +3400|Chinese Geology| |1000-3657|Monthly| |CHINA INT BOOK TRADING CORP +3401|Chinese Journal of Aeronautics|Engineering / Aeronautics; Astronautics|1000-9361|Bimonthly| |ELSEVIER SCIENCE INC +3402|Chinese Journal of Analytical Chemistry|Chemistry / /|0253-3820|Monthly| |ELSEVIER SCIENCE INC +3403|Chinese Journal of Antibiotics| |1001-8689|Bimonthly| |CHINESE JOURNAL ANTIBIOTICS +3404|Chinese Journal of Applied and Environmental Biology| |1006-687X|Bimonthly| |CHINESE ACAD SCIENCES +3405|Chinese Journal of Applied Ecology| |1001-9332|Quarterly| |SCIENCE CHINA PRESS +3406|Chinese Journal of Biochemistry and Molecular Biology| |1007-7626|Bimonthly| |PEKING UNIV HEALTH SCIENCE CTR +3407|Chinese Journal of Biological Control| |1005-9261|Quarterly| |CHINESE ACAD AGRICULTURAL SCIENCES +3408|Chinese Journal of Biologicals| |1004-5503|Monthly| |CHINESE JOURNAL BIOLOGICALS +3409|Chinese Journal of Bioprocess Engineering| |1672-3678|Quarterly| |CHINESE JOURNAL BIOPRESS ENGINEERING +3410|Chinese Journal of Cancer Research|Clinical Medicine /|1000-9604|Quarterly| |SPRINGER +3411|Chinese Journal of Catalysis|Chemistry / /|0253-9837|Monthly| |SCIENCE CHINA PRESS +3412|Chinese Journal of Chemical Engineering|Chemistry / Chemical engineering; Chemical industry|1004-9541|Bimonthly| |CHEMICAL INDUSTRY PRESS +3413|Chinese Journal of Chemical Physics|Chemistry / Chemistry, Physical and theoretical|1674-0068|Bimonthly| |CHINESE PHYSICAL SOC +3414|Chinese Journal of Chemistry|Chemistry / Chemistry|1001-604X|Monthly| |WILEY-V C H VERLAG GMBH +3415|Chinese Journal of Ecology| |1000-4890|Monthly| |ZHONGGUO SHENGTAIXUE XUEHUI-CHINESE SOC ECOLOGY +3416|Chinese Journal of Electronics|Engineering|1022-4653|Quarterly| |TECHNOLOGY EXCHANGE LIMITED HONG KONG +3417|Chinese Journal of Entomology Special Publication| |1017-7981|Annual| |ENTOMOLOGICAL SOC REPUBLIC CHINA +3418|Chinese Journal of Environmental Science-Huanjing Kexue| |0250-3301|Bimonthly| |SCIENCE CHINA PRESS +3419|Chinese Journal of Geophysics-Chinese Edition|Geosciences|0001-5733|Bimonthly| |SCIENCE CHINA PRESS +3420|Chinese Journal of Hospital Pharmacy| |1001-5213|Monthly| |CHINESE PHARMACEUTICAL ASSOC +3421|Chinese Journal of Inorganic Chemistry|Chemistry|1001-4861|Bimonthly| |CHINESE CHEMICAL SOC +3422|Chinese Journal of Integrative Medicine|Clinical Medicine / Medicine; Medicine, Chinese; Medicine, Chinese Traditional; Drugs, Chinese Herbal|1672-0415|Quarterly| |SPRINGER +3423|Chinese Journal of International Law|Social Sciences, general / International law; Internationaal recht; Droit international|1540-1650|Tri-annual| |OXFORD UNIV PRESS +3424|Chinese Journal of Mechanical Engineering|Engineering / Mechanical engineering|1000-9345|Bimonthly| |EDITORIAL OFFICE CHINESE JOURNAL MECHANICAL ENGINEERING +3425|Chinese Journal of Medical Genetics| |1003-9406|Bimonthly| |SICHUAN UNIV +3426|Chinese Journal of Microbiology and Immunology| |0254-5101|Bimonthly| |NATL VACCINE & SERUM INST +3427|Chinese Journal of Modern Applied Pharmacy| |1007-7693|Bimonthly| |CHINESE PHARMACEUTICAL ASSOC +3428|Chinese Journal of Natural Medicine| |1008-7850|Quarterly| |CHINESE MEDICAL ASSOC +3429|Chinese Journal of Natural Medicines| |1672-3651|Bimonthly| |CHINESE JOURNAL NATURAL MEDICINES +3430|Chinese Journal of New Drugs| |1003-3734|Semimonthly| |ZHONGGUO XINYAO ZAZHICHINESE JOURNAL NEW DRUGS PUBLISHING HOUSE +3431|Chinese Journal of New Drugs and Clinical Remedies| |1007-7669|Bimonthly| |SCIENTIFIC & TECHNIC INFORMATION INST SHANGHAI PHARMACEUTICAL AD +3432|Chinese Journal of Oceanology and Limnology|Geosciences / Oceanographic research; Limnology|0254-4059|Bimonthly| |SCIENCE PRESS +3433|Chinese Journal of Organic Chemistry|Chemistry|0253-2786|Monthly| |SCIENCE CHINA PRESS +3434|Chinese Journal of Parasitology & Parasitic Diseases| |1000-7423|Bimonthly| |ZHONGGUO YUFANG YIXUE KEXUEYUAN +3435|Chinese Journal of Pathology| |0529-5807|Bimonthly| |CHINESE MEDICAL ASSOC +3436|Chinese Journal of Pesticide Science| |1008-7303|Quarterly| |CHINA AGRICULTURAL UNIV +3437|Chinese Journal of Pharmaceutical Analysis| |0254-1793|Bimonthly| |CHINESE MEDICAL ASSOC +3438|Chinese Journal of Pharmaceuticals| |1001-8255|Monthly| |SHANGHAI INST PHARMACEUTICAL INDUSTRY +3439|Chinese Journal of Pharmacology and Toxicology| |1000-3002|Bimonthly| |CHINESE JOURNAL PHARMACOLOGY & TOXICOLOGY +3440|Chinese Journal of Physics|Physics|0577-9073|Bimonthly| |PHYSICAL SOC REPUBLIC CHINA +3441|Chinese Journal of Physiology|Biology & Biochemistry|0304-4920|Quarterly| |CHINESE PHYSIOLOGICAL SOC +3442|Chinese Journal of Plant Ecology| |1005-264X|Bimonthly| |CHINESE JOURNAL PLANT ECOLOGY +3443|Chinese Journal of Polar Science| |1007-7065|Semiannual| |SCIENCE CHINA PRESS +3444|Chinese Journal of Polymer Science|Chemistry / Polymerization; Polymers|0256-7679|Bimonthly| |SPRINGER +3445|Chinese Journal of Preventive Veterinary Medicine| |1008-0589|Bimonthly| |CHINESE JOURNAL OF PREVENTIVE VETERINARY MEDICINE +3446|Chinese Journal of Rice Science| |1001-7216|Quarterly| |CHINA NATL RICE RESEARCH INST +3447|Chinese Journal of Structural Chemistry|Chemistry|0254-5861|Bimonthly| |CHINESE JOURNAL STRUCTURAL CHEMISTRY +3448|Chinese Journal of Veterinary Science| |1005-4545|Bimonthly| |CHINA INT BOOK TRADING CORP +3449|Chinese Journal of Veterinary Science & Technology| |1000-6419|Monthly| |CHINA INT BOOK TRADING CORP +3450|Chinese Journal of Virology| |1000-8721|Bimonthly| |CHINESE JOURNAL VIROLOGY +3451|Chinese Journal of Zoology| |0250-3263|Bimonthly| |CHINESE JOURNAL ZOOLOGY +3452|Chinese Journal of Zoonoses| |1002-2694|Bimonthly| |HEALTH ANTI-EPIDEMIC STATION FUJIAN PROVINCE +3453|Chinese Law and Government|Social Sciences, general / Law; Droit; LAW; POLITICAL CONDITIONS; CHINA|0009-4609|Bimonthly| |M E SHARPE INC +3454|Chinese Management Studies| |1750-614X|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +3455|Chinese Medical Journal|Clinical Medicine|0366-6999|Monthly| |CHINESE MEDICAL ASSOC +3456|Chinese Medical Sciences Journal| |1001-9294|Quarterly| |CHINESE ACAD MEDICAL SCIENCES +3457|Chinese Optics Letters|Physics / Optics; Lasers|1671-7694|Monthly| |CHINESE OPTICS LETTERS MANUSCRIPT OFFICE +3458|Chinese Pharmacological Bulletin| |1001-1978|Monthly| |CHINESE PHARMACOLOGICAL SOC +3459|Chinese Physics B|Physics / Physics; Physique|1674-1056|Monthly| |IOP PUBLISHING LTD +3460|Chinese Physics C|Physics /|1674-1137|Monthly| |CHINESE PHYSICAL SOC +3461|Chinese Physics Letters|Physics / Physics|0256-307X|Monthly| |IOP PUBLISHING LTD +3462|Chinese Science Bulletin|Multidisciplinary / Science|1001-6538|Semimonthly| |SCIENCE CHINA PRESS +3463|Chinese Sociology and Anthropology|Social Sciences, general / Sociology; Anthropology; Sociologie; Anthropologie; Culturele antropologie|0009-4625|Quarterly| |M E SHARPE INC +3464|Chinese Studies in History| |0009-4633|Quarterly| |M E SHARPE INC +3465|Chinese Traditonal and Herbal Drugs| |0253-2670|Monthly| |GUOJIA YAOPING JIANDU GUANLI JU +3466|Chirality|Chemistry / Chirality; Pharmaceutical chemistry; Isomerism; Molecular Conformation|0899-0042|Monthly| |WILEY-LISS +3467|Chiribotan| |0577-9316|Quarterly| |MALACOLOGICAL SOC JAPAN +3468|Chironomus| |0172-1941|Annual| |CHIRONOMUS NEWSLETTER +3469|Chiroptera Neotropical| |1413-4403|Semiannual| |CHIROPTERA SPECIALIST GROUP-IUCN-SSC +3470|Chirurg|Clinical Medicine / Surgery|0009-4722|Monthly| |SPRINGER +3471|Chirurgia| |1221-9118|Bimonthly| |EDITURA CELSIUS +3472|Chirurgie de la Main|Clinical Medicine / Hand; Bras; Main; Handen; Chirurgie (geneeskunde)|1297-3203|Bimonthly| |ELSEVIER +3473|Chongqing Shifan Daxue Xuebao Ziran Kexue Ban| |1672-6693|Quarterly| |CHONGQING NORMAL UNIV +3474|Christian Bioethics|Medical ethics; Christian ethics; Medicine; Bioethics; Christianity; Morals; Religion and Medicine; Bioéthique; Éthique médicale; Medische ethiek; Christelijke ethiek|1380-3603|Tri-annual| |OXFORD UNIV PRESS +3475|Christianity and Pharmacy| |1094-9534|Quarterly| |CPFI +3476|Chromatographia|Chemistry / Chromatographic analysis; Chromatography; Chromatografie|0009-5893|Monthly| |VIEWEG +3477|Chromosoma|Molecular Biology & Genetics / Cytology; Chromosomes; Cytologie; Celbiologie; Genetica|0009-5915|Bimonthly| |SPRINGER +3478|Chromosome Research|Molecular Biology & Genetics / Chromosomes|0967-3849|Bimonthly| |SPRINGER +3479|Chromosome Science| |1344-1051|Tri-annual| |SOC CHROMOSOME RESEARCH +3480|Chronic Diseases in Canada|Clinical Medicine|0228-8699|Quarterly| |PUBLIC HEALTH AGENCY CANADA +3481|Chronmy Przyrode Ojczysta| |0009-6172|Bimonthly| |POLISH ACAD SCIENCES +3482|Chronobiology International|Biology & Biochemistry / Chronobiology; Biological rhythms; Circadian rhythms; Biological Clocks; Circadian Rhythm|0742-0528|Monthly| |INFORMA HEALTHCARE +3483|Chrysomela| | |Semiannual| |TERRY N. SEENO +3484|Chteniya Pamyati Alekseya Ivanovicha Kurentsova| |1028-3439|Annual| |DALNAUKA +3485|Chteniya Pamyati Nikolaya Aleksandrovicha Kholodkovskogo| |1606-8858|Annual| |RUSSKOE ENTOMOLOGICHESKOE OBSHCHESTVO +3486|Chugokugakuen Journal| |1348-1452|Annual| |CHUGOKU GAKUEN UNIV +3487|Chung-Ang Journal of Medicine| |0253-6250|Quarterly| |INST MEDICAL SCIENCE +3488|Chungara-Revista de Antropologia Chilena|Social Sciences, general|0716-1182|Semiannual| |UNIV TARAPACA +3489|Church History|Church history; Kerkgeschiedenis (wetenschap); Église|0009-6407|Quarterly| |CAMBRIDGE UNIV PRESS +3490|Cichlidae| |1367-7578|Bimonthly| |BRITISH CICHLID ASSOC +3491|Cicimar Oceanides| |1870-0713|Semiannual| |CICIMAR-IPN +3492|Cicindela| |0590-6334|Quarterly| |CICINDELA +3493|Ciconia-Eguelshardt| |0335-5721|Tri-annual| |YVES MULLER +3494|Cidaris| |1134-5179|Semiannual| |GRUPO CULTURAL PALEONTOLOGICO ELCHE +3495|Ciencia| |1315-2076|Quarterly| |UNIV ZULIA +3496|Ciência & Saúde Coletiva|Social Sciences, general / Public health; Public health administration; Medical policy; Public Health; Public Health Administration; Health Policy|1413-8123|Bimonthly| |ABRASCO +3497|Ciência Animal Brasileira| |1518-2797|Semiannual| |UFG-UNIV FEDERAL GOIAS-ESCOLA VETERINARIA +3498|Ciência e Agrotecnologia|Agricultural Sciences /|1413-7054|Bimonthly| |UNIV FEDERAL LAVRAS-UFLA +3499|Ciencia E Cultura| |0009-6725|Bimonthly| |SOC BRASILEIRA PARA PROGRESSO CIENCIA +3500|Ciencia e investigación agraria|Agricultural Sciences /|0304-5609|Tri-annual| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +3501|Ciencia E Natura| |0100-8307|Annual| |UNIV FEDERAL SANTA MARIA +3502|Ciencia E Tecnica Vitivinicola|Agricultural Sciences|0254-0223|Semiannual| |ESTACAO VITIVINICOLA NACIONAL +3503|Ciência e Tecnologia de Alimentos|Agricultural Sciences / Food industry and trade; Food|0101-2061|Quarterly| |SOC BRASILEIRA CIENCIA TECNOLOGIA ALIMENTOS +3504|Ciencia Florestal|Plant & Animal Science|0103-9954|Quarterly| |CENTRO PESQUISAS FLORESTAIS +3505|Ciencia Pesquera| |0185-0334|Irregular| |INST NAC PESCA +3506|Ciência Rural|Agricultural Sciences / Agriculture; Landbouwkunde|0103-8478|Quarterly| |UNIV FEDERAL SANTA MARIA +3507|Ciencia Y Mar| |1665-0808|Quarterly| |UNIV DEL MAR +3508|Ciencia Y Tecnologia Del Mar| |0716-2006|Semiannual| |COMITE OCEANOGRAFICO NACIONAL +3509|Ciencia Y Tecnologia Pharmaceutica| |1575-3409|Quarterly| |ALPE EDITORES +3510|Ciencia-Mexico City| |1405-6550|Quarterly| |ACAD MEXICANA CIENCIAS +3511|Ciencias Marinas|Plant & Animal Science|0185-3880|Quarterly| |INST INVESTIGACIONES OCEANOLOGICAS +3512|Cientifica-Jaboticabal| |0100-0039|Semiannual| |UNIV ESTADUAL PAULISTA-UNESP +3513|Ciesm Workshop Monographs| |1726-5886|Irregular| |INT COMMISSION SCIENTIFIC EXPLORATION MEDITERRANEAN SEA +3514|Cifa Occasional Paper| |1014-2452|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +3515|Cimbebasia| |1012-4926|Annual| |NATL MUSEUM NAMIBIA +3516|Cimbebasia Memoir| |0578-2724|Irregular| |STATE MUSEUM NAMIBIA +3517|Cin-Computers Informatics Nursing|Computer Science / Nursing; Medical Informatics; Computers; Nursing Care|1538-2931|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3518|Cinclus| |0342-8923|Semiannual| |BUND VOGELSCHUTZ VOGELKUNDE E V HERDECKE-HAGEN +3519|Cineaste| |0009-7004|Quarterly| |CINEASTE +3520|Cineforum| |0009-7039|Monthly| |FEDERAZIONE ITALIANA CINEFORUM +3521|Cinema Journal|Motion pictures; Television programs; Television; Mass media and culture; Cinéma|0009-7101|Quarterly| |UNIV TEXAS PRESS +3522|Circuit World|Engineering / Electronic circuits|0305-6120|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +3523|Circuits Systems and Signal Processing|Engineering / Signal processing; Electric networks; Electric circuits|0278-081X|Bimonthly| |BIRKHAUSER BOSTON INC +3524|Circular Farmaceutica| |0009-7314| | |COLEGIO OFICIAL FARMACEUTICOS PROVINCIA BARCELONA +3525|Circulation|Clinical Medicine / Cardiology; Cardiovascular system; Hypertension; Bloedvaten; Cardiologie; Sang; Appareil cardiovasculaire|0009-7322|Weekly| |LIPPINCOTT WILLIAMS & WILKINS +3526|Circulation Journal|Clinical Medicine / Cardiology; Cardiovascular Diseases|1346-9843|Monthly| |JAPANESE CIRCULATION SOC +3527|Circulation Research|Clinical Medicine / Cardiovascular system; Blood; Cardiovascular System|0009-7330|Semimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3528|Circulation-Arrhythmia and Electrophysiology|Clinical Medicine / Arrhythmia; Electrophysiology|1941-3149|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3529|Circulation-Cardiovascular Genetics|Molecular Biology & Genetics /|1942-325X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3530|Circulation-Cardiovascular Imaging|Clinical Medicine /|1941-9651|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3531|Circulation-Cardiovascular Interventions|Clinical Medicine /|1941-7640|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3532|Circulation-Cardiovascular Quality and Outcomes|Clinical Medicine /|1941-7713|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3533|Circulation-Heart Failure|Clinical Medicine /|1941-3289|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3534|Circulo de Linguistica Aplicada A la Comunicacion|Social Sciences, general|1576-4737|Quarterly| |UNIV COMPLUTENSE MADRID +3535|Cirp Annals-Manufacturing Technology|Engineering / Production engineering|0007-8506|Semiannual| |TECHNISCHE RUNDSCHAU EDITION COLIBRI LTD +3536|Cirugía Española|Clinical Medicine /|0009-739X|Monthly| |ELSEVIER DOYMA SL +3537|Cirugia Y Cirujanos|Clinical Medicine|0009-7411|Bimonthly| |MEXICAN ACAD SURGERY +3538|Cithara-Essays in the Judeo-Christian Tradition| |0009-7527|Semiannual| |ST BONAVENTURE UNIV +3539|Cities|Social Sciences, general / Urban policy; City planning|0264-2751|Bimonthly| |ELSEVIER SCI LTD +3540|Citizenship Studies|Social Sciences, general / Citizenship; Political participation; Human rights; Civil rights|1362-1025|Bimonthly| |ROUTLEDGE JOURNALS +3541|City & Community|Social Sciences, general / Cities and towns; Sociology, Urban / Cities and towns; Sociology, Urban / Cities and towns; Sociology, Urban|1535-6841|Quarterly| |WILEY-BLACKWELL PUBLISHING +3542|Civil Engineering|Engineering|0885-7024|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +3543|Civil Engineering and Environmental Systems|Engineering / Civil engineering; Environmental management|1028-6608|Quarterly| |TAYLOR & FRANCIS LTD +3544|Civil Szemle|Social Sciences, general|1786-3341|Quarterly| |UJ MANDATUM KONYVKIADO +3545|Civil War History| |0009-8078|Quarterly| |KENT STATE UNIV PRESS +3546|Cla Journal-College Language Association| |0007-8549|Quarterly| |COLLEGE LANGUAGE ASSOC +3547|Cladistics|Biology & Biochemistry / Biology; Cladistic analysis|0748-3007|Quarterly| |WILEY-BLACKWELL PUBLISHING +3548|Classical and Quantum Gravity|Physics / Gravitation; Quantum gravity; Gravité quantique; Gravitatie; Klassieke mechanica; Kwantummechanica|0264-9381|Semimonthly| |IOP PUBLISHING LTD +3549|Classical Antiquity|Classical antiquities; Classical philology|0278-6656|Semiannual| |UNIV CALIFORNIA PRESS +3550|Classical Bulletin| |0009-8337|Semiannual| |XAVIER UNIV DEPT CLASSICS +3551|Classical Journal| |0009-8353|Quarterly| |CLASSICAL ASSOC MIDDLE WEST SOUTH +3552|Classical Philology|Classical philology; Philologie ancienne; Klassieke talen; Klassieke oudheid; Cultuurgeschiedenis|0009-837X|Quarterly| |UNIV CHICAGO PRESS +3553|Classical Quarterly|Classical philology; Klassieke oudheid|0009-8388|Semiannual| |CAMBRIDGE UNIV PRESS +3554|Classical Review|Classical philology; Philology, Classical|0009-840X|Semiannual| |CAMBRIDGE UNIV PRESS +3555|Classical World| |0009-8418|Quarterly| |CLASSICAL ASSOC ATLANTIC STATES +3556|Clausthaler Geowissenschaften| |1611-0609|Irregular| |TECHNISCHE UNIV CLAUSTHAL +3557|Clay Minerals|Geosciences / Clay minerals; Clay; Mineralogie|0009-8558|Quarterly| |MINERALOGICAL SOC +3558|Clays and Clay Minerals|Geosciences / Clay; Clay minerals|0009-8604|Bimonthly| |CLAY MINERALS SOC +3559|Clcweb-Comparative Literature and Culture| |1481-4374|Quarterly| |PURDUE UNIV PRESS +3560|Clean Technologies and Environmental Policy|Environment/Ecology /|1618-954X|Quarterly| |SPRINGER +3561|Clean-Soil Air Water|Environment/Ecology / Water quality; Sewage; Water chemistry|1863-0650|Bimonthly| |WILEY-V C H VERLAG GMBH +3562|Cleanrooms| |1043-8017|Monthly| |PENNWELL CORP +3563|Cleft Palate-Craniofacial Journal|Clinical Medicine / Cleft palate; Skull; Cranial manipulation; Face; Fissure du palais; Crâne; Cleft Lip; Cleft Palate; Facial Bones|1055-6656|Bimonthly| |ALLIANCE COMMUNICATIONS GROUP DIVISION ALLEN PRESS +3564|Cleveland Clinic Journal of Medicine|Clinical Medicine /|0891-1150|Monthly| |CLEVELAND CLINIC +3565|Climacteric|Clinical Medicine / Menopause; Estrogen Replacement Therapy|1369-7137|Quarterly| |TAYLOR & FRANCIS LTD +3566|Climate Dynamics|Geosciences / Meteorology; Climatology|0930-7575|Monthly| |SPRINGER +3567|Climate of the Past|Geosciences /|1814-9324|Irregular| |COPERNICUS GESELLSCHAFT MBH +3568|Climate Policy|Environment/Ecology / Climatic changes|1469-3062|Bimonthly| |JAMES & JAMES SCIENCE PUBLISHERS LTD/EARTHSCAN +3569|Climate Research|Environment/Ecology / Climatology; Climatic changes|0936-577X|Monthly|http://www.int-res.com/journals/cr/cr-home/|INTER-RESEARCH +3570|Climatic Change|Geosciences / Climatic changes|0165-0009|Monthly| |SPRINGER +3571|Clinica Chimica Acta|Clinical Medicine / Clinical chemistry; Chemistry, Clinical; Chimie clinique|0009-8981|Monthly| |ELSEVIER SCIENCE BV +3572|Clinica Dietologica| |0392-7318|Tri-annual| |SOC EDITRICE UNIV +3573|Clinica Terapeutica| |0009-9074|Bimonthly| |SOC EDITRICE UNIV +3574|Clinica Veterinaria de Pequenos Animales|Plant & Animal Science|1130-7064|Quarterly| |ICE SALUD +3575|Clinica Veterinaria-Sao Paulo| |1413-571X|Bimonthly| |GUARA LTD +3576|Clinical & Developmental Immunology|Immunology / Clinical immunology; Developmental immunology; Immune System; Immunity, Cellular; Immunologic Diseases|1740-2522|Quarterly| |HINDAWI PUBLISHING CORPORATION +3577|Clinical & Experimental Allergy Reviews|Allergy; Immunology; Hypersensitivity; Immunologic Diseases / Allergy; Immunology; Hypersensitivity; Immunologic Diseases|1472-9725|Monthly| |WILEY-BLACKWELL PUBLISHING +3578|Clinical & Experimental Metastasis|Clinical Medicine / Medical Oncology; Neoplasm Metastasis / Medical Oncology; Neoplasm Metastasis|0262-0898|Bimonthly| |SPRINGER +3579|Clinical & Translational Oncology|Clinical Medicine / Neoplasms / Neoplasms|1699-048X|Monthly| |SPRINGER +3580|Clinical Anatomy|Clinical Medicine / Anatomy; Human anatomy|0897-3806|Bimonthly| |WILEY-LISS +3581|Clinical and Applied Thrombosis-Hemostasis|Clinical Medicine / Hemostasis; Thrombosis|1076-0296|Quarterly| |SAGE PUBLICATIONS INC +3582|Clinical and Experimental Allergy|Immunology / Allergy; Immunology; Hypersensitivity / Plant ecology; Ecologie; Dieren; Écologie végétale|0954-7894|Monthly| |WILEY-BLACKWELL PUBLISHING +3583|Clinical and Experimental Dermatology|Clinical Medicine / Dermatology; Dermatologie|0307-6938|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3584|Clinical and Experimental Hypertension|Clinical Medicine / Hypertension; Hypotensive agents|1064-1963|Bimonthly| |TAYLOR & FRANCIS INC +3585|Clinical and Experimental Immunology|Immunology / Immunopathology; Allergy and Immunology; Immunologie|0009-9104|Monthly| |WILEY-BLACKWELL PUBLISHING +3586|Clinical and Experimental Medicine|Clinical Medicine / Clinical medicine; Medicine; Clinical Medicine; Research / Clinical medicine; Medicine; Clinical Medicine; Research / Clinical medicine; Medicine; Clinical Medicine; Research|1591-8890|Quarterly| |SPRINGER +3587|Clinical and Experimental Nephrology|Clinical Medicine / Kidneys; Nephrology; Kidney; Kidney Diseases; Reins; Néphrologie; Nefrologie / Kidneys; Nephrology; Kidney; Kidney Diseases; Reins; Néphrologie; Nefrologie|1342-1751|Quarterly| |SPRINGER +3588|Clinical and Experimental Obstetrics & Gynecology|Clinical Medicine|0390-6663|Quarterly| |I R O G CANADA +3589|Clinical and Experimental Ophthalmology|Clinical Medicine / Ophthalmology; Ophtalmologie; Eye Diseases / Ophthalmology; Ophtalmologie; Eye Diseases|1442-6404|Monthly| |WILEY-BLACKWELL PUBLISHING +3590|Clinical and Experimental Optometry|Clinical Medicine / Optometry|0816-4622|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3591|Clinical and Experimental Otorhinolaryngology|Clinical Medicine /|1976-8710|Quarterly| |KOREAN SOC OTORHINOLARYNGOL +3592|Clinical and Experimental Pharmacology and Physiology|Pharmacology & Toxicology / Clinical pharmacology; Pharmacology, Experimental; Physiology, Pathological; Physiology, Experimental; Pharmacology; Physiology|0305-1870|Monthly| |WILEY-BLACKWELL PUBLISHING +3593|Clinical and Experimental Rheumatology|Clinical Medicine|0392-856X|Bimonthly| |CLINICAL & EXPER RHEUMATOLOGY +3594|Clinical and Investigative Medicine|Clinical Medicine|0147-958X|Bimonthly| |CANADIAN SOC CLINICAL INVESTIGATION +3595|Clinical and Vaccine Immunology|Immunology / Immunology; Vaccines; Allergy and Immunology; Immunotherapy, Active; HLA-D Antigens; Immunologic Techniques; Immunologic Tests; Receptors, Immunologic|1556-6811|Monthly| |AMER SOC MICROBIOLOGY +3596|Clinical Autonomic Research|Clinical Medicine / Autonomic nervous system; Autonomic Nervous System; Autonomic Nervous System Diseases|0959-9851|Bimonthly| |SPRINGER HEIDELBERG +3597|Clinical Biochemistry|Clinical Medicine / Clinical biochemistry; Biochemistry|0009-9120|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3598|Clinical Biomechanics|Clinical Medicine / Biomechanics; Osteopathic medicine; Osteopathic Medicine|0268-0033|Monthly| |ELSEVIER SCI LTD +3599|Clinical Breast Cancer|Clinical Medicine / Breast; Breast Neoplasms|1526-8209|Bimonthly| |CIG MEDIA GROUP +3600|Clinical Cancer Research|Clinical Medicine / Cancer; Neoplasms|1078-0432|Semimonthly| |AMER ASSOC CANCER RESEARCH +3601|Clinical Cardiology|Clinical Medicine / Cardiology|0160-9289|Monthly| |JOHN WILEY & SONS INC +3602|Clinical Chemistry|Clinical Medicine / Clinical chemistry|0009-9147|Monthly| |AMER ASSOC CLINICAL CHEMISTRY +3603|Clinical Chemistry and Laboratory Medicine|Clinical Medicine / Clinical chemistry; Diagnosis, Laboratory; Chemistry, Clinical; Laboratory Techniques and Procedures|1434-6621|Monthly| |WALTER DE GRUYTER & CO +3604|Clinical Child and Family Psychology Review|Psychiatry/Psychology / Clinical child psychology; Family; Adolescent Psychology; Child Psychology; Psychology, Clinical; Child; Infant|1096-4037|Quarterly| |SPRINGER/PLENUM PUBLISHERS +3605|Clinical Colorectal Cancer|Clinical Medicine / Colon (Anatomy); Rectum; Colorectal Neoplasms; Chemotherapy, Adjuvant|1533-0028|Bimonthly| |CIG MEDIA GROUP +3606|Clinical Drug Investigation|Clinical Medicine / Drugs; Pharmacology; Clinical Trials; Drug Evaluation; Drug Therapy; Drugs, Investigational; Investigational New Drug Application; Pharmaceutical Preparations|1173-2563|Monthly| |ADIS INT LTD +3607|Clinical Dysmorphology|Clinical Medicine / Abnormalities, Human; Teratology; Abnormalities; Misvormingen; Aangeboren afwijkingen|0962-8827|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +3608|Clinical Eeg and Neuroscience|Clinical Medicine|1550-0594|Quarterly| |EEG & CLINICAL NEUROSCIENCE SOC (E C N S) +3609|Clinical Endocrinology|Clinical Medicine / Endocrine glands; Endocrinology; Endocrinologie; Glandes endocrines|0300-0664|Monthly| |WILEY-BLACKWELL PUBLISHING +3610|Clinical Gastroenterology and Hepatology|Clinical Medicine / Digestive System Diseases; Evidence-Based Medicine; Gastroenterology|1542-3565|Monthly| |ELSEVIER SCIENCE INC +3611|Clinical Genetics|Clinical Medicine / Medical genetics; Genetics, Medical|0009-9163|Monthly| |WILEY-BLACKWELL PUBLISHING +3612|Clinical Genitourinary Cancer|Clinical Medicine / Prostatic Neoplasms; Kidney Neoplasms; Bladder Neoplasms; Urogenital Diseases|1558-7673|Quarterly| |CIG MEDIA GROUP +3613|Clinical Hemorheology and Microcirculation|Clinical Medicine|1386-0291|Bimonthly| |IOS PRESS +3614|Clinical Imaging|Clinical Medicine / Tomography; Diagnostic imaging; Diagnostic Imaging; Magnetic Resonance Imaging|0899-7071|Bimonthly| |ELSEVIER SCIENCE INC +3615|Clinical Immunology|Clinical Medicine / Immunopathology; Immunology; Allergy and Immunology; Immunologic Diseases|1521-6616|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +3616|Clinical Implant Dentistry and Related Research|Clinical Medicine / Dental implants; Dental Implantation; Dental Implants|1523-0899|Quarterly| |WILEY-BLACKWELL PUBLISHING +3617|Clinical Infectious Diseases|Clinical Medicine / Communicable diseases; Communicable Diseases|1058-4838|Semimonthly| |UNIV CHICAGO PRESS +3618|Clinical Journal of Oncology Nursing|Social Sciences, general /|1092-1095|Bimonthly| |ONCOLOGY NURSING SOC +3619|Clinical Journal of Pain|Clinical Medicine / Pain; Analgesia / Pain; Analgesia|0749-8047|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +3620|Clinical Journal of Sport Medicine|Clinical Medicine / Sports medicine; Athletic Injuries; Sports Medicine; Médecine du sport; Sportgeneeskunde|1050-642X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3621|Clinical Journal of the American Society of Nephrology|Clinical Medicine / Nephrology; Kidneys; Kidney Diseases|1555-9041|Bimonthly| |AMER SOC NEPHROLOGY +3622|Clinical Laboratory|Clinical Medicine|1433-6510|Bimonthly| |CLIN LAB PUBL +3623|Clinical Leadership & Management Review| |1527-3954|Bimonthly| |CLINICAL LABORATORY MANAGEMENT ASSOC +3624|Clinical Linguistics & Phonetics|Social Sciences, general / Language disorders; Applied linguistics; Phonetics; Language Disorders; Linguistics; Speech Disorders; Phonétique; Linguistique appliquée; Langage, Troubles du|0269-9206|Bimonthly| |TAYLOR & FRANCIS LTD +3625|Clinical Lipidology|Biology & Biochemistry /|1758-4299|Bimonthly| |FUTURE MEDICINE LTD +3626|Clinical Lung Cancer|Clinical Medicine / Lungs; Lung Neoplasms|1525-7304|Bimonthly| |CIG MEDIA GROUP +3627|Clinical Lymphoma Myeloma & Leukemia| |2152-2650|Bimonthly| |CIG MEDIA GROUP +3628|Clinical Medicine|Clinical Medicine|1470-2118|Bimonthly| |ROY COLL PHYS LONDON EDITORIAL OFFICE +3629|Clinical Microbiology and Infection|Microbiology / Medical microbiology; Communicable diseases; Infection; Microbiology; Parasitic Diseases|1198-743X|Monthly| |WILEY-BLACKWELL PUBLISHING +3630|Clinical Microbiology Reviews|Microbiology / Diagnostic microbiology; Medical microbiology; Microbiology; Review Literature|0893-8512|Quarterly| |AMER SOC MICROBIOLOGY +3631|Clinical Nephrology|Clinical Medicine|0301-0430|Monthly| |DUSTRI-VERLAG DR KARL FEISTLE +3632|Clinical Neurology and Neurosurgery|Clinical Medicine / Neurology; Neurosurgery|0303-8467|Quarterly| |ELSEVIER SCIENCE BV +3633|Clinical Neuropathology|Clinical Medicine|0722-5091|Bimonthly| |DUSTRI-VERLAG DR KARL FEISTLE +3634|Clinical Neuropharmacology|Neuroscience & Behavior / Neuropharmacology; Psychopharmacology|0362-5664|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3635|Clinical Neurophysiology|Clinical Medicine / Neurophysiology; Neurology; Neurophysiologie; Neurologie; Électroencéphalographie; Neurofysiologie|1388-2457|Monthly| |ELSEVIER IRELAND LTD +3636|Clinical Neuropsychologist|Psychiatry/Psychology / Neuropsychology; Neuropsychologie; Cognition; Maturation (Psychologie) / Neuropsychology; Neuropsychologie; Cognition; Maturation (Psychologie)|1385-4046|Quarterly| |TAYLOR & FRANCIS INC +3637|Clinical Neuroradiology|Pharmacology & Toxicology / Diagnostic imaging; Nervous system; Diagnostic Imaging; Nervous System Diseases; Neurologie; Radiologie / Diagnostic imaging; Nervous system; Diagnostic Imaging; Nervous System Diseases; Neurologie; Radiologie|0939-7116|Quarterly| |URBAN & VOGEL +3638|Clinical Nuclear Medicine|Clinical Medicine / Nuclear medicine; Radioisotope scanning; Nuclear Medicine|0363-9762|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +3639|Clinical Nurse Specialist|Social Sciences, general / Nurse practitioners; Nursing; Nurse Clinicians; Verpleegkunde; Klinische geneeskunde; Infirmières cliniciennes; Soins infirmiers|0887-6274|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +3640|Clinical Nursing Research|Social Sciences, general / Nursing; Clinical medicine; Nursing Care; Nursing Research|1054-7738|Quarterly| |SAGE PUBLICATIONS INC +3641|Clinical Nutrition|Clinical Medicine / Diet therapy; Parenteral feeding; Enteral feeding; Nutrition; Enteral Nutrition; Parenteral Nutrition; Metabolism|0261-5614|Bimonthly| |CHURCHILL LIVINGSTONE +3642|Clinical Obstetrics and Gynecology|Clinical Medicine / Obstetrics; Gynecology; Obstétrique; Gynécologie / Obstetrics; Gynecology; Obstétrique; Gynécologie|0009-9201|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +3643|Clinical Oncology|Clinical Medicine / Tumors; Neoplasms|0936-6555|Bimonthly| |ELSEVIER SCIENCE LONDON +3644|Clinical Oncology and Cancer Research| |1674-5361|Bimonthly| |TIANJIN MEDICAL UNIV +3645|Clinical Oral Implants Research|Clinical Medicine / Dental implants; Dental Implantation; Dental Implants; Implants dentaires; Tandheelkundige implantaten|0905-7161|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3646|Clinical Oral Investigations|Clinical Medicine / Dentistry; Oral medicine; Oral Medicine; Dentisterie; Stomatologie; Tandheelkunde|1432-6981|Quarterly| |SPRINGER HEIDELBERG +3647|Clinical Orthopaedics and Related Research|Clinical Medicine / Orthopedic surgery; Orthopedics; Chirurgie orthopédique|0009-921X|Monthly| |SPRINGER +3648|Clinical Otolaryngology|Clinical Medicine|1749-4478|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3649|Clinical Pediatrics|Clinical Medicine / Pediatrics; Pédiatrie; Médecine clinique; Kindergeneeskunde|0009-9228|Monthly| |SAGE PUBLICATIONS INC +3650|Clinical Pharmacokinetics|Clinical Medicine / Pharmacology; Kinetics; Farmacokinetica; Pharmacocinétique|0312-5963|Monthly| |ADIS INT LTD +3651|Clinical Pharmacology & Therapeutics|Clinical Medicine / Pharmacology; Therapeutics; Drug Therapy; Pharmacologie; Thérapeutique; Farmacologie|0009-9236|Monthly| |NATURE PUBLISHING GROUP +3652|Clinical Physiology and Functional Imaging|Clinical Medicine / Physiology, Pathological; Diagnostic imaging; Physiology; Diagnostic Imaging|1475-0961|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3653|Clinical Psychology & Psychotherapy|Psychiatry/Psychology / Clinical psychology; Psychotherapy; Psychology, Clinical; Klinische psychologie; Psychotherapie|1063-3995|Bimonthly| |JOHN WILEY & SONS LTD +3654|Clinical Psychology Review|Psychiatry/Psychology / Clinical psychology; Psychology, Pathological; Psychotherapy; Psychology, Clinical; Psychologie clinique; Psychopathologie; Psychothérapie; Klinische psychologie|0272-7358|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3655|Clinical Psychology-Science and Practice|Psychiatry/Psychology / Clinical psychology; Psychology, Pathological; Psychotherapy; Psychology, Clinical; Klinische psychologie|0969-5893|Quarterly| |WILEY-BLACKWELL PUBLISHING +3656|Clinical Radiology|Clinical Medicine / Radiology; Radiotherapy; Radiologie; Radiothérapie|0009-9260|Monthly| |W B SAUNDERS CO LTD +3657|Clinical Rehabilitation|Clinical Medicine / Medical rehabilitation; Rehabilitation|0269-2155|Bimonthly| |SAGE PUBLICATIONS LTD +3658|Clinical Research and Regulatory Affairs|Social Sciences, general / Pharmacy; Clinical Trials; Drug Industry; Legislation, Drug; Technology, Pharmaceutical; Industrie pharmaceutique; Médicaments|1060-1333|Quarterly| |TAYLOR & FRANCIS INC +3659|Clinical Research in Cardiology|Clinical Medicine / Cardiology; Cardiovascular system; Heart Diseases; Cardiovascular Surgical Procedures; Vascular Diseases|1861-0684|Monthly| |SPRINGER HEIDELBERG +3660|Clinical Respiratory Journal|Clinical Medicine / Respiratory Tract Diseases|1752-6981|Semiannual| |WILEY-BLACKWELL PUBLISHING +3661|Clinical Reviews in Allergy & Immunology|Clinical Medicine / Allergy; Clinical immunology; Hypersensitivity; Immunologic Diseases|1080-0549|Bimonthly| |HUMANA PRESS INC +3662|Clinical Rheumatology|Clinical Medicine / Rheumatology; Reumatologie; Klinische geneeskunde|0770-3198|Monthly| |SPRINGER LONDON LTD +3663|Clinical Science|Clinical Medicine / Medicine; Biochemistry; Klinische geneeskunde|0143-5221|Monthly| |PORTLAND PRESS LTD +3664|Clinical Social Work Journal|Social Sciences, general / Social service; Social Work, Psychiatric|0091-1674|Quarterly| |SPRINGER +3665|Clinical Therapeutics|Clinical Medicine / Chemotherapy; Drug Therapy|0149-2918|Monthly| |ELSEVIER +3666|Clinical Toxicology|Clinical Medicine / Toxicology; Toxicological emergencies|1556-3650|Bimonthly| |INFORMA HEALTHCARE +3667|Clinical Transplantation|Clinical Medicine / Transplantation of organs, tissues, etc; Transplantation; Transplantatie|0902-0063|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3668|Clinical Trials|Clinical Medicine / Clinical trials; Clinical Trials; Therapies, Investigational; Research Design|1740-7745|Bimonthly| |SAGE PUBLICATIONS LTD +3669|Clinics|Clinical Medicine / Medicine|1807-5932|Monthly| |HOSPITAL CLINICAS +3670|Clinics in Chest Medicine|Clinical Medicine /|0272-5231|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3671|Clinics in Dermatology|Clinical Medicine / Dermatology|0738-081X|Bimonthly| |ELSEVIER SCIENCE INC +3672|Clinics in Geriatric Medicine|Clinical Medicine /|0749-0690|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3673|Clinics in Laboratory Medicine|Clinical Medicine /|0272-2712|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3674|Clinics in Liver Disease|Clinical Medicine / Liver; Liver Diseases|1089-3261|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3675|Clinics in Perinatology|Clinical Medicine / Fetus; Obstetrics; Newborn infants; Fetal Diseases; Infant, Newborn; Infant, Newborn, Diseases; Perinatale geneeskunde|0095-5108|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3676|Clinics in Plastic Surgery|Clinical Medicine / Surgery, Plastic; Plastische chirurgie|0094-1298|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3677|Clinics in Sports Medicine|Clinical Medicine / Sports Medicine / Sports Medicine|0278-5919|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +3678|Clio-A Journal of Literature History and the Philosophy of History| |0884-2043|Tri-annual| |INDIANA UNIV-PURDUE UNIV +3679|Cliometrica| |1863-2505|Tri-annual| |SPRINGER HEIDELBERG +3680|Clothing and Textiles Research Journal|Textile fabrics; Clothing and dress; Textiles et tissus; Vêtements|0887-302X|Quarterly| |SAGE PUBLICATIONS INC +3681|Cluster Computing-The Journal of Networks Software Tools and Applications|Computer Science / Electronic data processing; Parallel processing (Electronic computers); Computer networks; Computernetwerken|1386-7857|Quarterly| |SPRINGER +3682|Cmc-Computers Materials & Continua|Computer Science|1546-2218|Quarterly| |TECH SCIENCE PRESS +3683|Cmes-Computer Modeling in Engineering & Sciences|Computer Science|1526-1492|Weekly| |TECH SCIENCE PRESS +3684|Cmfri Bulletin| |0378-2387|Irregular| |CENTRAL MARINE FISHERIES RESEARCH INST +3685|Cmfri Special Publication| |0970-0757|Irregular| |CENTRAL MARINE FISHERIES RESEARCH INST +3686|Cns & Neurological Disorders-Drug Targets|Pharmacology & Toxicology / Neuropharmacology; Nervous system; Drug delivery systems; Drugs; Central Nervous System Diseases; Nervous System Diseases; Drug Delivery Systems; Drug Design|1871-5273|Bimonthly| |BENTHAM SCIENCE PUBL LTD +3687|CNS Drugs|Neuroscience & Behavior / Neuropsychopharmacology; Central Nervous System Diseases; Mental Disorders; Nervous System Diseases; Psychotropic Drugs|1172-7047|Monthly| |ADIS INT LTD +3688|CNS Neuroscience & Therapeutics|Pharmacology & Toxicology / Neuropharmacology; Central nervous system; Central Nervous System Diseases; Central Nervous System Agents; Mental Disorders|1755-5930|Quarterly| |WILEY-BLACKWELL PUBLISHING +3689|Cns Spectrums|Neuroscience & Behavior|1092-8529|Monthly| |M B L COMMUNICATIONS +3690|Co-Herencia| |1794-5887|Semiannual| |UNIV EAFIT +3691|Coastal Engineering|Engineering / Shore protection; Hydraulic engineering; Ocean engineering; Coastal zone management|0378-3839|Monthly| |ELSEVIER SCIENCE BV +3692|Coastal Engineering Journal|Engineering / Coastal engineering; Coasts; Hydraulic engineering; Coast changes; Shore protection|0578-5634|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +3693|Coastal Management|Environment/Ecology / Coastal zone management; Shore protection; Kustgebieden|0892-0753|Quarterly| |TAYLOR & FRANCIS INC +3694|Coastal Marine Science| |1349-3000|Annual| |INT COASTAL RESEARCH CTR +3695|Cobra| | |Quarterly| |CHENNAI SNAKE PARK TRUST +3696|Coccinula| | |Semiannual| |WERKGROEP COCCINULA +3697|Cochrane Database of Systematic Reviews|Clinical Medicine|1469-493X|Irregular| |JOHN WILEY & SONS LTD +3698|Cockroach Studies| | |Semiannual| |BLATTODEA CULTURE GROUP +3699|Cocuk Sagligi Ve Hastaliklari Dergisi| |0010-0161|Irregular| |HACETTEPE UNIV +3700|Cocuyo| |1607-2863|Irregular| |MUSEO NACIONAL HISTORIA NATURAL-HAVANA +3701|Cognition|Psychiatry/Psychology / Cognition|0010-0277|Monthly| |ELSEVIER SCIENCE BV +3702|Cognition & Emotion|Psychiatry/Psychology / Cognition; Emotions and cognition; Emotions / Cognition; Emotions and cognition; Emotions|0269-9931|Bimonthly| |PSYCHOLOGY PRESS +3703|Cognition and Instruction|Psychiatry/Psychology / Learning; Cognition in children; Cognition; Psychology, Educational; Teaching|0737-0008|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +3704|Cognitive Affective & Behavioral Neuroscience|Psychiatry/Psychology / Cognitive neuroscience; Affect (Psychology); Neuropsychology; Behavioral Sciences; Affect; Brain; Brain Injuries; Cognition; Mental Processes|1530-7026|Quarterly| |PSYCHONOMIC SOC INC +3705|Cognitive and Behavioral Neurology|Psychiatry/Psychology / Neuropsychiatry; Neuropsychology; Mental Disorders; Cognition; Behavior|1543-3633|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +3706|Cognitive and Behavioral Practice|Psychiatry/Psychology / Behavior therapy; Cognitive therapy; Behavior Therapy; Cognitive Therapy|1077-7229|Semiannual| |ELSEVIER SCIENCE INC +3707|Cognitive Behaviour Therapy|Cognitive therapy; Behavior therapy; Cognitive Therapy; Thérapie de comportement / Cognitive therapy; Behavior therapy; Cognitive Therapy; Thérapie de comportement|1650-6073|Quarterly| |TAYLOR & FRANCIS LTD +3708|Cognitive Development|Psychiatry/Psychology / Cognition in children; Cognition; Child; Infant|0885-2014|Quarterly| |ELSEVIER SCIENCE INC +3709|Cognitive Linguistics|Cognitive grammar; Linguistics; Cognition; Cognitieve linguïstiek; Linguistique|0936-5907|Quarterly| |MOUTON DE GRUYTER +3710|Cognitive Neurodynamics|Neuroscience & Behavior / Brain; Cognitive Science|1871-4080|Monthly| |SPRINGER +3711|Cognitive Neuropsychology|Psychiatry/Psychology / Neuropsychology; Cognition; Neurophysiology; Psychophysiology; Neuropsychologie; Cognitieve processen|0264-3294|Bimonthly| |PSYCHOLOGY PRESS +3712|Cognitive Processing|Psychiatry/Psychology / Cognition; Psychologie|1612-4782|Quarterly| |SPRINGER HEIDELBERG +3713|Cognitive Psychology|Psychiatry/Psychology / Cognition; Thought and thinking; Psychology|0010-0285|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +3714|Cognitive Science|Psychiatry/Psychology / Cognition; Psycholinguistics; Artificial intelligence; Computers; Information Theory; Intelligence; Linguistics; Psychology; Ordinateurs; Information, Théorie de l'; Linguistique; Psychologie; Cognitiewetenschap; Cognitie|0364-0213|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3715|Cognitive Systems Research|Engineering / Cognitive science; Cognitive Science|1389-0417|Quarterly| |ELSEVIER SCIENCE BV +3716|Cognitive Therapy and Research|Psychiatry/Psychology / Cognition; Psychotherapy; Psychology; Psychotherapie; Thérapie cognitive|0147-5916|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +3717|Cold Regions Science and Technology|Engineering / Low temperature engineering|0165-232X|Bimonthly| |ELSEVIER SCIENCE BV +3718|Cold Spring Harbor Perspectives in Biology| |1943-0264|Monthly| |COLD SPRING HARBOR LAB PRESS +3719|Cold War History|Cold War; World politics; Koude Oorlog|1468-2745|Quarterly| |ROUTLEDGE JOURNALS +3720|Coleccion Jorge Alvarez Lleras| | |Irregular| |ACAD COLOMB CIEN EXACTAS FISICAS NAT +3721|Coleo| |1616-329X| | |GEMEINSCHAFT COLEOPTEROLOGIE +3722|Coleoptera| |0945-1889|Irregular| |DELTA-DRUCK VERLAG PEKS +3723|Coleopteres| |1265-3357|Irregular| |COLEOPTERES +3724|Coleopterist| |0965-5794|Tri-annual| |COLEOPTERIST +3725|Coleopteriste| |0751-0284|Tri-annual| |ACOREP +3726|Coleopterists Bulletin|Plant & Animal Science / Beetles; Kevers|0010-065X|Quarterly| |COLEOPTERISTS SOC +3727|Coleopterists News| |0910-8785|Quarterly| |JAPANESE SOC COLEOPTEROLOGY +3728|Coleopterists Society Monographs Patricia Vaurie Series| |1934-0451|Irregular| |COLEOPTERISTS SOC +3729|Coleopterological Monographs| |1130-7609|Irregular| |ASOCIACION EUROPEA COLEOPTEROLOGIA-AEC +3730|Collaboration for Environmental Evidence Systematic Review| | |Irregular| |BANGOR UNIV +3731|Collectanea Botanica|Botany|0010-0730|Irregular| |INST BOTANIC BARCELONA +3732|Collectanea mathematica|Mathematics /|0010-0757|Tri-annual| |UNIV BARCELONA +3733|Collection and Research| |1726-2038|Annual| |NATL MUSEUM NATURAL SCIENCE-TAICHUNG +3734|Collection Forum| |0831-4985|Semiannual| |SOC PRESERVATION NATURAL HISTORY COLLECTIONS +3735|Collection of Czechoslovak Chemical Communications|Chemistry / Chemistry|0010-0765|Monthly| |INST ORGANIC CHEM AND BIOCHEM +3736|Collection of Scientific Papers Faculty of Agriculture in Ceske Budejoviceseries for Animal Sciences| |1212-558X|Semiannual| |JIHOCESKA UNIV V CESKYCH BUDEJOVICICH +3737|Collection Systematique| |1274-932X|Irregular| |MAGELLANES +3738|College & Research Libraries|Social Sciences, general|0010-0870|Bimonthly| |ASSOC COLL RESEARCH LIBRARIES +3739|College Composition and Communication|English language; Opstellen; Onderwijsmethoden; Toegepaste taalwetenschap; Anglais (Langue)|0010-096X|Quarterly| |NATL COUNCIL TEACHERS ENGLISH +3740|College English|English philology; English language|0010-0994|Bimonthly| |NATL COUNCIL TEACHERS ENGLISH +3741|College Literature| |0093-3139|Quarterly| |WEST CHESTER UNIV +3742|College Music Symposium| |0069-5696|Annual| |COLLEGE MUSIC SOC +3743|Collegian|Social Sciences, general / Nursing; Nursing Care|1322-7696|Quarterly| |ELSEVIER SCIENCE BV +3744|Collegium Antropologicum|Social Sciences, general|0350-6134|Quarterly| |COLLEGIUM ANTROPOLOGICUM +3745|Colloid and Polymer Science|Chemistry / Colloids; Polymers; Polymerization / Colloids; Polymers; Polymerization / Colloids; Polymers; Polymerization / Colloids; Polymers; Polymerization / Colloids; Polymers; Polymerization / Colloids; Polymers; Polymerization / Colloids; Polymers; |0303-402X|Monthly| |SPRINGER +3746|Colloid Journal|Chemistry / Colloids; Colloïdchemie|1061-933X|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +3747|Colloids and Surfaces A-Physicochemical and Engineering Aspects|Chemistry / Colloids; Surface chemistry|0927-7757|Semimonthly| |ELSEVIER SCIENCE BV +3748|Colloids and Surfaces B-Biointerfaces|Biology & Biochemistry / Surface chemistry; Biochemistry; Biomedical materials; Colloids; Surface Properties; Surface-Active Agents|0927-7765|Monthly| |ELSEVIER SCIENCE BV +3749|Colloques D Histoire des Connaissances Zoologiques| |0777-2491|Annual| |UNIV LIEGE +3750|Colloquia Germanica| |0010-1338|Tri-annual| |FRANCKE VERLAG +3751|Colombia Medica|Clinical Medicine|1657-9534|Quarterly| |CORPORACION EDITORA MEDICA VALLE +3752|Colombian Eba Project Report Series| |1811-1246|Annual| |FUNDACION PROAVES +3753|Colonial Latin American Historical Review| |1063-5769|Quarterly| |CLAHR +3754|Colonial Latin American Review|Koloniale periode; Spaans; Portugees; Letterkunde|1466-1802|Tri-annual| |ROUTLEDGE JOURNALS +3755|Coloquio-Letras| |0010-1451|Semiannual| |FUNDACAO CALOUSTE GULBENKIAN +3756|Coloquios de Paleontologia| |1132-1660|Annual| |UNIV COMPLUTENSE MADRID +3757|Color Research and Application|Chemistry / Color; Kleuren; Couleur|0361-2317|Bimonthly| |JOHN WILEY & SONS INC +3758|Colorado Birds| | |Quarterly| |COLORADO FIELD ORNITHOLOGISTS +3759|Colorado Division of Wildlife Special Report| |0084-8875|Irregular| |COLORADO DIV WILDLIFE +3760|Colorado Division of Wildlife Technical Publication| |0084-8883|Annual| |COLORADO DIV WILDLIFE +3761|Coloration Technology|Chemistry / Color; Color in the textile industries; Dyes and dyeing|1472-3581|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3762|Colorectal Disease|Clinical Medicine / Colon (Anatomy); Rectum; Colonic Diseases; Rectal Diseases; Dikke darm; Ziekten|1462-8910|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3763|Columbia Journal of Law and Social Problems|Social Sciences, general|0010-1923|Quarterly| |COLUMBIA JOURNAL TRANSNATIONAL LAW ASSOC +3764|Columbia Journal of Transnational Law|Social Sciences, general|0010-1931|Tri-annual| |COLUMBIA JOURNAL TRANSNATIONAL LAW ASSOC +3765|Columbia Law Review|Social Sciences, general / Jurisprudence; Recht; Droit|0010-1958|Bimonthly| |COLUMBIA JOURNAL TRANSNATIONAL LAW ASSOC +3766|Combinatorial Chemistry & High Throughput Screening|Chemistry / Combinatorial chemistry; Drug Design; Molecular Sequence Data; Structure-Activity Relationship|1386-2073|Bimonthly| |BENTHAM SCIENCE PUBL LTD +3767|COMBINATORICA|Mathematics / Combinatorial analysis; Analyse combinatoire; Combinatieleer; Computerwiskunde|0209-9683|Quarterly| |SPRINGER +3768|Combinatorics Probability & Computing|Mathematics / Combinatorial analysis; Probabilities; Computer science / Combinatorial analysis; Probabilities; Computer science / Combinatorial analysis; Probabilities; Computer science|0963-5483|Bimonthly| |CAMBRIDGE UNIV PRESS +3769|Combustion and Flame|Engineering / Combustion; Flame|0010-2180|Monthly| |ELSEVIER SCIENCE INC +3770|Combustion Explosion and Shock Waves|Engineering / Combustion; Explosions; Shock waves|0010-5082|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +3771|Combustion Science and Technology|Engineering / Combustion; Combustion engineering|0010-2202|Monthly| |TAYLOR & FRANCIS INC +3772|Combustion Theory and Modelling|Engineering / Combustion|1364-7830|Bimonthly| |TAYLOR & FRANCIS LTD +3773|Comitatus-A Journal of Medieval and Renaissance Studies| |0069-6412|Annual| |UNIV CALIF CNTR MEDIEVAL RENAISSANCE STUD +3774|Commentarii Mathematici Helvetici|Mathematics / Mathematics; Mathématiques; Wiskunde|0010-2571|Quarterly| |EUROPEAN MATHEMATICAL SOC +3775|Commentary|Social Sciences, general|0010-2601|Monthly| |AMER JEWISH COMMITTEE +3776|Comments on Inorganic Chemistry|Chemistry / Chemistry, Inorganic|0260-3594|Tri-annual| |TAYLOR & FRANCIS LTD +3777|Common Knowledge|Cultuur|0961-754X|Tri-annual| |DUKE UNIV PRESS +3778|Common Market Law Review|Social Sciences, general / Law; Gouvernement d'entreprise; Culture d'entreprise; Efficacité organisationnelle|0165-0750|Bimonthly| |KLUWER LAW INT +3779|Communication Monographs|Social Sciences, general / Communication; Speech; Speech Disorders; Communicatiewetenschap|0363-7751|Quarterly| |ROUTLEDGE JOURNALS +3780|Communication Research|Social Sciences, general / Communication|0093-6502|Bimonthly| |SAGE PUBLICATIONS INC +3781|Communication Theory|Social Sciences, general / Communication; Information theory|1050-3293|Quarterly| |WILEY-BLACKWELL PUBLISHING +3782|Communications in Agricultural and Applied Biological Sciences| |1379-1176|Quarterly| |UNIV GHENT +3783|Communications in Algebra|Mathematics / Algebra|0092-7872|Monthly| |TAYLOR & FRANCIS INC +3784|Communications in Analysis and Geometry|Mathematics|1019-8385|Bimonthly| |INT PRESS BOSTON +3785|Communications in Applied Mathematics and Computational Science| |1559-3940|Irregular| |MATHEMATICAL SCIENCE PUBL +3786|Communications in Computational Physics|Physics /|1815-2406|Monthly| |GLOBAL SCIENCE PRESS +3787|Communications in Contemporary Mathematics|Mathematics / Mathematics|0219-1997|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +3788|Communications in Mathematical Physics|Physics / Mathematical physics; Natuurkunde; Wiskundige methoden; Physique mathématique; Mathématiques|0010-3616|Semimonthly| |SPRINGER +3789|Communications in Mathematical Sciences|Mathematics|1539-6746|Quarterly| |INT PRESS BOSTON +3790|Communications in Nonlinear Science and Numerical Simulation|Mathematics / Nonlinear theories; Numerical analysis; Numerieke wiskunde; Simulatie|1007-5704|Monthly| |ELSEVIER SCIENCE BV +3791|Communications in Partial Differential Equations|Mathematics / Differential equations, Partial|0360-5302|Monthly| |TAYLOR & FRANCIS INC +3792|Communications in Soil Science and Plant Analysis|Environment/Ecology / Soil science; Plants; Agricultural chemistry; Pédologie; Plantes; Chimie agricole|0010-3624|Monthly| |TAYLOR & FRANCIS INC +3793|Communications in Statistics-Simulation and Computation|Mathematics / Mathematical statistics; Digital computer simulation / Mathematical statistics; Digital computer simulation / Mathematical statistics; Digital computer simulation|0361-0918|Quarterly| |TAYLOR & FRANCIS INC +3794|Communications in Statistics-Theory and Methods|Mathematics / Mathematical statistics; Statistique mathématique / Mathematical statistics; Statistique mathématique / Mathematical statistics; Statistique mathématique|0361-0926|Semimonthly| |TAYLOR & FRANCIS INC +3795|Communications in Theoretical Physics|Physics / Mathematical physics|0253-6102|Monthly| |IOP PUBLISHING LTD +3796|Communications News|Computer Science|0010-3632|Monthly| |NELSON PUBLISHING +3797|Communications of the ACM|Computer Science / Computers; Ordinateurs|0001-0782|Monthly| |ASSOC COMPUTING MACHINERY +3798|Communications of the Faculty of Sciences University of Ankara Series C Biology Geological Engineering and Geophysical Engineering| | |Semiannual| |UNIV ANKARA +3799|Communications of the Geological Survey of Namibia| |1026-2954|Annual| |GEOLOGICAL SURVEY NAMIBIA +3800|Communications on Pure and Applied Analysis|Mathematics / Mathematical analysis|1534-0392|Bimonthly| |AMER INST MATHEMATICAL SCIENCES +3801|Communications on Pure and Applied Mathematics|Mathematics / Mathematics; Mechanics|0010-3640|Monthly| |JOHN WILEY & SONS INC +3802|Communicative & Integrative Biology| | |Semimonthly| |LANDES BIOSCIENCE +3803|Communio Viatorum| |0010-3713|Tri-annual| |UNIV KARLOVA PRAZE +3804|Communist and Post-Communist Studies|Social Sciences, general / Communism; Post-communism|0967-067X|Quarterly| |ELSEVIER SCI LTD +3805|Community Dental Health|Social Sciences, general|0265-539X|Quarterly| |F D I WORLD DENTAL PRESS LTD +3806|Community Dentistry And Oral Epidemiology|Clinical Medicine / Dental public health; Dental Health Surveys; Mouth Diseases; Public Health Dentistry; Tooth Diseases|0301-5661|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3807|Community Ecology|Environment/Ecology / Plant ecology|1585-8553|Irregular| |AKADEMIAI KIADO RT +3808|Community Mental Health Journal|Social Sciences, general / Mental health; Community Mental Health Services; Geestelijke gezondheidszorg; Lokale gezondheidszorg|0010-3853|Bimonthly| |SPRINGER +3809|Community Pharmacist| |1096-9179|Bimonthly| |E L F PUBLICATIONS +3810|Comparative and Functional Genomics|Molecular Biology & Genetics / Genomics; Genomes; Cytogenetics; Molecular Biology; Genome; Genoom|1531-6912|Bimonthly| |HINDAWI PUBLISHING CORPORATION +3811|Comparative Biochemistry and Physiology Part A: Molecular & Integrative Physiology|Biology & Biochemistry / Physiology, Comparative; Biochemistry; Physiology; Vergelijkende fysiologie; Biochemie|1095-6433|Monthly| |ELSEVIER SCIENCE INC +3812|Comparative Biochemistry and Physiology Part B: Biochemistry & Molecular Biology|Biology & Biochemistry / Physiology, Comparative; Biochemistry; Molecular Biology|1096-4959|Monthly| |ELSEVIER SCIENCE INC +3813|Comparative Biochemistry and Physiology Part C: Toxicology & Pharmacology|Biology & Biochemistry / Toxicology; Pharmacology|1532-0456|Monthly| |ELSEVIER SCIENCE INC +3814|Comparative Biochemistry and Physiology Part D: Genomics & Proteomics|Biology & Biochemistry / Genomics; Proteomics|1744-117X|Quarterly| |ELSEVIER SCIENCE INC +3815|Comparative Clinical Pathology|Diagnosis, Laboratory; Pathology, Comparative; Pathology, Clinical; Blood Chemical Analysis; Chemistry, Clinical|1618-5641|Quarterly| |SPRINGER HEIDELBERG +3816|Comparative Critical Studies|Literature, Comparative; Literature; Vergelijkende literatuurwetenschap|1744-1854|Tri-annual| |EDINBURGH UNIV PRESS +3817|Comparative Cytogenetics|Molecular Biology & Genetics /|1993-0771|Semiannual| |ZOOLOGICAL INST +3818|Comparative Drama| |0010-4078|Quarterly| |WESTERN MICHIGAN UNIV +3819|Comparative Education|Social Sciences, general / Education; Comparative education|0305-0068|Quarterly| |ROUTLEDGE JOURNALS +3820|Comparative Education Review|Social Sciences, general / Education; Comparative education; Onderwijskunde; Éducation; Éducation comparée|0010-4086|Quarterly| |UNIV CHICAGO PRESS +3821|Comparative Immunology Microbiology and Infectious Diseases|Plant & Animal Science / Immunology, Comparative; Communicable diseases; Microbiology; Allergy and Immunology; Communicable Diseases; Veterinary Medicine|0147-9571|Bimonthly| |ELSEVIER SCI LTD +3822|Comparative Literature|Literature, Comparative; Vergelijkende literatuurwetenschap|0010-4124|Quarterly| |DUKE UNIV PRESS +3823|Comparative Literature Studies| |0010-4132|Quarterly| |JOHNS HOPKINS UNIV PRESS +3824|Comparative Medicine|Clinical Medicine|1532-0820|Bimonthly| |AMER ASSOC LABORATORY ANIMAL SCIENCE +3825|Comparative Parasitology|Microbiology / Parasitology; Helminthology; Parasitic Diseases; Helminths; Parasites; Helminthologie; Parasitologie|1525-2647|Semiannual| |HELMINTHOLOGICAL SOC WASHINGTON +3826|Comparative Political Studies|Social Sciences, general / Political science; Vergelijkende politicologie; Science politique; POLITICAL SCIENCE|0010-4140|Monthly| |SAGE PUBLICATIONS INC +3827|Comparative Politics|Comparative government; Vergelijkende politicologie|0010-4159|Quarterly| |SHERIDAN PRESS +3828|Comparative Studies in Society and History|Social Sciences, general / Social sciences; History|0010-4175|Quarterly| |CAMBRIDGE UNIV PRESS +3829|Compel-The International Journal for Computation and Mathematics in Electrical and Electronic Engineering|Engineering / Electric engineering; Electronics / Electric engineering; Electronics / Electric engineering; Electronics|0332-1649|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +3830|Compendium-Continuing Education for Veterinarians| |1940-8307|Monthly| |VETERINARY LEARNING SYSTEMS +3831|Competition Policy International|Social Sciences, general|1554-0189|Semiannual| |COMPETITION POLICY INT INC +3832|Complementary Therapies in Medicine|Clinical Medicine / Alternative medicine; Complementary Therapies|0965-2299|Bimonthly| |CHURCHILL LIVINGSTONE +3833|Complex Analysis and Operator Theory|Mathematics / Mathematical analysis; Operator theory; System theory; Mathematical statistics|1661-8254|Quarterly| |BIRKHAUSER VERLAG AG +3834|Complex Variables and Elliptic Equations|Functions of complex variables; Mathematical analysis; Fonctions d'une variable complexe; Analyse mathématique|1747-6933|Monthly| |TAYLOR & FRANCIS LTD +3835|Complexity|Mathematics / Chaotic behavior in systems; Complexity (Philosophy); Complexiteit; Niet-lineaire systemen; Chaos; Genetische algoritmen; Neurale netwerken; Evolutie|1076-2787|Bimonthly| |JOHN WILEY & SONS INC +3836|Composite Interfaces|Materials Science / Composite materials; Surface chemistry|0927-6440|Bimonthly| |VSP BV +3837|Composite Structures|Materials Science / Composite materials|0263-8223|Semimonthly| |ELSEVIER SCI LTD +3838|Composites Part A-Applied Science and Manufacturing|Materials Science / Composite materials; Manufacturing processes|1359-835X|Monthly| |ELSEVIER SCI LTD +3839|Composites Part B-Engineering|Materials Science / Composite materials|1359-8368|Bimonthly| |ELSEVIER SCI LTD +3840|Composites Science and Technology|Materials Science / Composite materials; Fibrous composites|0266-3538|Semimonthly| |ELSEVIER SCI LTD +3841|Compositio Mathematica|Mathematics / Mathematics; Mathématiques|0010-437X|Bimonthly| |LONDON MATH SOC +3842|Compost Science & Utilization|Environment/Ecology|1065-657X|Quarterly| |JG PRESS +3843|Comprehensive Psychiatry|Psychiatry/Psychology / Psychiatry|0010-440X|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +3844|Comprehensive Reviews in Food Science and Food Safety|Agricultural Sciences / Food; Food Technology|1541-4337|Quarterly| |WILEY-BLACKWELL PUBLISHING +3845|Comprehensive Therapy|Clinical Medicine / Medicine; Education, Medical, Continuing; Therapeutics|0098-8243|Quarterly| |AMER SOC CONTEMPORARY MEDICINE SURGERY & OPHTHALMOLOGY +3846|Comptes Rendus Biologies|Biology & Biochemistry / Life sciences; Biology; Biological Sciences; Biologie; Sciences de la vie|1631-0691|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3847|Comptes Rendus Chimie|Chemistry / Chemistry; Chemie; Chimie|1631-0748|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3848|Comptes Rendus de L Academie Bulgare des Sciences|Multidisciplinary|1310-1331|Monthly| |PUBL HOUSE BULGARIAN ACAD SCI +3849|Comptes Rendus de L Academie D Agriculture de France| |0989-6988|Bimonthly| |ACAD AGRICULTURE FRANCE +3850|Comptes Rendus de L Academie des Sciences de L Urss| |0002-3264| | |RUSSIAN ACAD SCIENCES +3851|Comptes Rendus des Seances de L Academie des Inscriptions & Belles-Lettres| |0065-0536|Quarterly| |DIFFUSION DE BOCCARD +3852|Comptes Rendus des Seances de la Societe de Biologie et de Ses Filiales| |0037-9026|Bimonthly| |MASSON EDITEUR +3853|Comptes Rendus Geoscience|Geosciences / Geology; Earth sciences; Aardwetenschappen; Sterrenkunde; Zonnestelsel; Planeten; Géologie; Sciences de la terre|1631-0713|Semimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3854|Comptes Rendus Hebdomadaires des Seances de L Academie des Sciences| |0001-4036|Weekly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +3855|Comptes Rendus Mathematique|Mathematics / Mathematics; Wiskunde; Mathématiques|1631-073X|Semimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3856|Comptes Rendus Mecanique|Space Science / Mechanics; Mechanica; Mécanique|1631-0721|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3857|Comptes Rendus Palevol|Geosciences / Paleontology; Evolution; Aardwetenschappen|1631-0683|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3858|Comptes Rendus Physique|Physics / Physics|1631-0705|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +3859|Computational & Applied Mathematics|Mathematics / Numerical analysis|0101-8205|Tri-annual| |SOC BRASILEIRA MATEMATICA APLICADA & COMPUTACIONAL +3860|Computational and Mathematical Methods in Medicine|Mathematics / Medicine, Experimental; Biological models; Biological systems; Models, Theoretical; Models, Biological|1748-670X|Quarterly| |ROUTLEDGE JOURNALS +3861|Computational and Mathematical Organization Theory|Economics & Business / Social sciences; Social networks; Organizational sociology; Organisatietheorie; Computermodellen; Wiskundige modellen / Social sciences; Social networks; Organizational sociology; Organisatietheorie; Computermodellen; Wiskundige mo|1381-298X|Quarterly| |SPRINGER +3862|Computational Biology and Chemistry|Computer Science / Chemistry; Computational Biology|1476-9271|Bimonthly| |ELSEVIER SCI LTD +3863|Computational Complexity|Engineering / Computational complexity; Berekenbaarheid; Complexiteit; Algoritmen|1016-3328|Quarterly| |BIRKHAUSER VERLAG AG +3864|Computational Economics|Economics & Business / Economics; Computers; Economie; Bedrijfskunde; Computermethoden|0927-7099|Bimonthly| |SPRINGER +3865|Computational Geometry-Theory and Applications|Engineering / Geometry|0925-7721|Monthly| |ELSEVIER SCIENCE BV +3866|Computational Geosciences|Computer Science / Earth sciences|1420-0597|Quarterly| |SPRINGER +3867|Computational Intelligence|Engineering /|0824-7935|Quarterly| |WILEY-BLACKWELL PUBLISHING +3868|Computational Linguistics|Computer Science / Computational linguistics; Computerlinguïstiek; Linguistique informatique|0891-2017|Quarterly| |M I T PRESS +3869|Computational Materials Science|Materials Science / Materials; Materials science|0927-0256|Monthly| |ELSEVIER SCIENCE BV +3870|Computational Mathematics and Mathematical Physics|Mathematics / Numerical analysis; Mathematical physics; Mathematics; Computerwiskunde; Mathematische fysica; Analyse numérique; Physique mathématique; Ordinateurs|0965-5425|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +3871|Computational Mechanics|Engineering / Engineering; Engineering design; Computer-aided design|0178-7675|Monthly| |SPRINGER +3872|Computational Optimization and Applications|Engineering / Mathematical optimization|0926-6003|Monthly| |SPRINGER +3873|Computational Statistics|Mathematics / Mathematical statistics; Statistique; Informatique|0943-4062|Quarterly| |SPRINGER HEIDELBERG +3874|Computational Statistics & Data Analysis|Mathematics / Statistics; Mathematical statistics|0167-9473|Monthly| |ELSEVIER SCIENCE BV +3875|Computer|Computer Science / Computers|0018-9162|Monthly| |IEEE COMPUTER SOC +3876|Computer Aided Geometric Design|Computer Science / Geometrical drawing; Computer graphics|0167-8396|Monthly| |ELSEVIER SCIENCE BV +3877|Computer Aided Surgery|Clinical Medicine / Imaging systems in medicine; Image Processing, Computer-Assisted; Surgical Procedures, Operative; Therapy, Computer-Assisted|1092-9088|Bimonthly| |INFORMA HEALTHCARE +3878|Computer Animation and Virtual Worlds|Computer Science / Computer animation; Virtual reality|1546-4261|Bimonthly| |JOHN WILEY & SONS LTD +3879|Computer Applications in Engineering Education|Computer Science / Engineering; Technisch onderwijs; Computers|1061-3773|Quarterly| |JOHN WILEY & SONS INC +3880|Computer Assisted Language Learning|Social Sciences, general / Language and languages|0958-8221|Bimonthly| |ROUTLEDGE JOURNALS +3881|Computer Communication Review|Computer Science / Computer networks; Réseaux d'ordinateurs; Datatransmissie; Computernetwerken|0146-4833|Bimonthly| |ASSOC COMPUTING MACHINERY +3882|Computer Communications|Computer Science / Computer networks; Réseaux d'ordinateurs|0140-3664|Monthly| |ELSEVIER SCIENCE BV +3883|Computer Fraud & Security| |1361-3723|Monthly| |ELSEVIER SCI LTD +3884|Computer Graphics Forum|Computer Science / Computer graphics|0167-7055|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3885|Computer Graphics World|Computer Science|0271-4159|Monthly| |COMPUTER GRAPHICS WORLD +3886|Computer Journal|Computer Science / Computers; Electronic data processing; Information storage and retrieval systems|0010-4620|Bimonthly| |OXFORD UNIV PRESS +3887|Computer Languages Systems & Structures|Computer Science / Programming languages (Electronic computers); Computer networks; Computer architecture|1477-8424|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +3888|Computer Methods and Programs in Biomedicine|Computer Science / Medicine; Biology; Computers; Software; Médecine; Biologie|0169-2607|Monthly| |ELSEVIER IRELAND LTD +3889|Computer Methods in Applied Mechanics and Engineering|Computer Science / Engineering; Mechanics, Applied; Mécanique appliquée; Génie mécanique|0045-7825|Semimonthly| |ELSEVIER SCIENCE SA +3890|Computer Methods in Biomechanics and Biomedical Engineering|Computer Science / Biomechanics; Biomedical engineering; Biomedical Engineering; Computing Methodologies / Biomechanics; Biomedical engineering; Biomedical Engineering; Computing Methodologies|1025-5842|Bimonthly| |TAYLOR & FRANCIS LTD +3891|Computer Music Journal|Computer Science / Computer music; Musique par ordinateur; Computermuziek|0148-9267|Quarterly| |M I T PRESS +3892|Computer Networks|Computer Science / Computer networks; Integrated services digital networks; Telecommunication systems; Digital communications|1389-1286|Semimonthly| |ELSEVIER SCIENCE BV +3893|Computer Physics Communications|Physics / Physics|0010-4655|Semimonthly| |ELSEVIER SCIENCE BV +3894|Computer Science and Information Systems|Computer Science /|1820-0214|Semiannual| |COMSIS CONSORTIUM +3895|Computer Speech and Language|Computer Science / Speech processing systems; Automatic speech recognition; Computers; Linguistics; Speech-Language Pathology; Computerlinguïstiek|0885-2308|Quarterly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +3896|Computer Standards & Interfaces|Computer Science / Computers; Computer interfaces; Informatique; Interfaces (Informatique); Standaardisatie; Interfaces|0920-5489|Bimonthly| |ELSEVIER SCIENCE BV +3897|Computer Supported Cooperative Work-The Journal of Collaborative Computing|Teams in the workplace; Microcomputer workstations; Computer networks; Mens-computer-interactie; Computers; Mens-machine-systemen / Teams in the workplace; Microcomputer workstations; Computer networks; Mens-computer-interactie; Computers; Mens-machine-s|0925-9724|Bimonthly| |SPRINGER +3898|Computer Systems Science and Engineering|Computer Science|0267-6192|Bimonthly| |C R L PUBLISHING LTD +3899|Computer Vision and Image Understanding|Computer Science / Computer vision; Image processing|1077-3142|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +3900|Computer-Aided Civil and Infrastructure Engineering|Engineering / Civil engineering; Computer-aided engineering; Microcomputers|1093-9687|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3901|Computer-Aided Design|Computer Science / Engineering design; Computer graphics; Conception technique; Infographie|0010-4485|Monthly| |ELSEVIER SCI LTD +3902|Computerized Medical Imaging and Graphics|Computer Science / Diagnostic imaging; Imaging systems in medicine; Diagnostic Imaging; Beeldverwerking; Radiodiagnostiek; Computergraphics|0895-6111|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3903|Computers & Chemical Engineering|Computer Science / Chemical engineering|0098-1354|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3904|Computers & Education|Computer Science / Education|0360-1315|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3905|Computers & Electrical Engineering|Computer Science / Computer engineering; Electric engineering|0045-7906|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3906|Computers & Fluids|Computer Science / Fluid dynamics|0045-7930|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3907|Computers & Geosciences|Computer Science / Earth sciences|0098-3004|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3908|Computers & Graphics-Uk|Computer Science / Computer graphics|0097-8493|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3909|Computers & Industrial Engineering|Computer Science / Industrial engineering|0360-8352|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3910|Computers & Mathematics with Applications|Computer Science / Electronic data processing; Mathematics|0898-1221|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3911|Computers & Operations Research|Computer Science / Operations research; Electronic data processing|0305-0548|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3912|Computers & Security|Computer Science / Computer security; Electronic data processing departments; Computerbeveiliging; Beveiliging|0167-4048|Bimonthly| |ELSEVIER ADVANCED TECHNOLOGY +3913|Computers & Structures|Computer Science / Structural engineering|0045-7949|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +3914|Computers and Concrete|Computer Science /|1598-8198|Bimonthly| |TECHNO-PRESS +3915|Computers and Electronics in Agriculture|Computer Science / Agriculture|0168-1699|Monthly| |ELSEVIER SCI LTD +3916|Computers and Geotechnics|Computer Science / Soil mechanics; Rock mechanics|0266-352X|Bimonthly| |ELSEVIER SCI LTD +3917|Computers Environment and Urban Systems|Computer Science / City planning; Cities and towns|0198-9715|Bimonthly| |ELSEVIER SCI LTD +3918|Computers in Biology and Medicine|Computer Science / Medicine; Biology; Biomedical research; Automatic Data Processing|0010-4825|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3919|Computers in Human Behavior|Computer Science / Psychology; Computers; Behavior; Behavioral Sciences|0747-5632|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3920|Computers in Industry|Computer Science / Production management|0166-3615|Bimonthly| |ELSEVIER SCIENCE BV +3921|Computertalk| | |Bimonthly| |COMPUTERTALK ASSOC +3922|Computing|Computer Science / Computer science|0010-485X|Bimonthly| |SPRINGER WIEN +3923|Computing and Informatics|Computer Science|1335-9150|Bimonthly| |SLOVAK ACAD SCIENCES INST INFORMATICS +3924|Computing in Science & Engineering|Computer Science / Science; Engineering / Science; Engineering|1521-9615|Bimonthly| |IEEE COMPUTER SOC +3925|Comunicacion Y Sociedad|Social Sciences, general|0214-0039|Semiannual| |SERVICIO PUBLICACIONES UNIVERSIDAD NAVARRA +3926|Comunicaciones Botanicas de Los Museos Nacionales de Historia Natural Y Antropologia| |1510-7310|Irregular| |MUSEOS NACIONALES HISTORIA NATURAL ANTROPOLOGIA +3927|Comunicaciones de la Sociedad Malacologica Del Uruguay| |0037-8607|Semiannual| |SOC MALACOLOGICA URUGUAY +3928|Comunicaciones Del Museo Provincial de Ciencias Naturales Florentino Ameghino| |0325-3856|Annual| |MUSEO PROVINCIAL DE CIENCIAS NATURALES FLORENTINO AMEGHINO +3929|Comunicaciones Paleontologicas de Los Museos Nacionales de Historia Natural Y Antropologia| | |Irregular| |MUSEOS NACIONALES HISTORIA NATURAL ANTROPOLOGIA +3930|Comunicaciones Zoologicas Del Los Museos Nacionales de Historia Natural Y Antropologia| |1510-7345|Irregular| |MUSEOS NACIONALES HISTORIA NATURAL ANTROPOLOGIA +3931|Comunicacoes Do Museu de Ciencias E Tecnologia Da Pucrs-Serie Zoologia| |0104-6950|Semiannual| |MUSEU CIENCIAS TECNOLOGIA PUCRS +3932|Comunicacoes Geologicas| |0873-948X|Irregular| |INST NACIONAL ENGENHARIA TECNOLOGIA & INOVACAO-INETI +3933|Comunicacoes Instituto de Investigacao Cientifica Tropical Serie Ciencias Biologicas| |0871-1755|Irregular| |INST INVESTIGACAO CIENTIFICA TROPICAL +3934|Comunicar|Social Sciences, general / Audio-visual education; Mass media in education; Communication in education|1134-3478|Semiannual| |GRUPO COMUNICAR +3935|Comunicats| | |Irregular| |INST CATALA MINERALOGIA GEMMOLOGIA PALEONTOLOGIA +3936|Concepts in Magnetic Resonance Part A|Engineering / Magnetic resonance; Nuclear magnetic resonance; Magnetic Resonance Spectroscopy; Magnetic Resonance Imaging|1546-6086|Bimonthly| |JOHN WILEY & SONS INC +3937|Concepts in Magnetic Resonance Part B-Magnetic Resonance Engineering|Engineering / Magnetic resonance; Nuclear magnetic resonance; Biomedical engineering; Magnetic Resonance Spectroscopy; Magnetic Resonance Imaging|1552-5031|Quarterly| |JOHN WILEY & SONS INC +3938|Conchylia| |1869-5302|Tri-annual| |CONCHBOOKS +3939|Concise International Chemical Assessment Document| |1020-6167|Irregular| |WHO +3940|Concurrency and Computation-Practice & Experience|Engineering / Parallel processing (Electronic computers); Parallel computers|1532-0626|Semimonthly| |JOHN WILEY & SONS LTD +3941|Concurrent Engineering-Research and Applications|Engineering / Production engineering; Concurrent engineering; Production, Technique de la; Conception technique simultanée; Productontwikkeling|1063-293X|Quarterly| |SAGE PUBLICATIONS LTD +3942|Condensed Matter Physics|Physics|1607-324X|Quarterly| |INST CONDENSED MATTER PHYSICS NATL ACAD SCIENCES UKRAINE +3943|Condor|Plant & Animal Science / Birds; Ornithologie; Oiseaux|0010-5422|Quarterly| |COOPER ORNITHOLOGICAL SOC +3944|Cone Collector| | |Irregular| |ANTONIO MONTEIRO +3945|Configurations| |1063-1801|Tri-annual| |JOHNS HOPKINS UNIV PRESS +3946|Conflict Management and Peace Science|Economics & Business / International relations; Peace|0738-8942|Annual| |SAGE PUBLICATIONS INC +3947|Confluencia-Revista Hispanica de Cultura Y Literatura| |0888-6091|Semiannual| |UNIV NORTHERN COLORADO C/O ESTER G. GONZALEZ +3948|Confrontation| |0010-5716|Semiannual| |LONG ISLAND UNIV +3949|Congenital Anomalies|Clinical Medicine / Abnormalities, Human; Abnormalities|0914-3505|Quarterly| |WILEY-BLACKWELL PUBLISHING +3950|Connaissance des Arts| |0293-9274|Monthly| |SFPA-CONNAISSANCE ARTS +3951|Connecticut Warbler| |1077-0283|Quarterly| |CONNECTICUT ORNITHOLOGICAL ASSOC +3952|Connection Science|Computer Science / Neural computers; Artificial intelligence; Cognitive science; Connectionism; Artificial Intelligence; Cognition; Computer Systems; Models, Neurological|0954-0091|Quarterly| |TAYLOR & FRANCIS LTD +3953|Connective Tissue Research|Clinical Medicine / Connective tissues; Connective Tissue; Research|0300-8207|Quarterly| |TAYLOR & FRANCIS LTD +3954|Connector Specifier|Engineering|1078-1528|Bimonthly| |PENNWELL CORP +3955|Conradiana| |0010-6356|Tri-annual| |TEXAS TECH UNIV PRESS +3956|Consciousness and Cognition|Psychiatry/Psychology / Consciousness; Cognition|1053-8100|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +3957|Conservation Behaviorist| | |Semiannual| |ANIMAL BEHAVIOR SOC +3958|Conservation Biology|Environment/Ecology / Conservation biology; Biologie de la conservation; Natuurbehoud; Conservation of Natural Resources; Biology; Environment|0888-8892|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3959|Conservation Evidence| |1758-2067|Annual| |UNIV CAMBRIDGE +3960|Conservation Genetics|Environment/Ecology / Conservation biology; Ecological genetics; Biodiversity; Population genetics; Nature conservation; Genetica; Bedreigde soorten|1566-0621|Quarterly| |SPRINGER +3961|Conservation International Tropical Field Guide Series| | |Irregular| |CONSERVATION INT +3962|Conservation Letters| |1755-263X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +3963|Conservation Science Western Australia| |1447-3682|Semiannual| |WESTERN AUSTRALIA DEPT CONSERVATION & LAND MANAGEMENT +3964|Constancea| |1559-4041|Irregular| |UNIV CALIFORNIA PRESS +3965|Constraints|Engineering / Constraint programming (Computer science); Constraints (Artificial intelligence)|1383-7133|Quarterly| |SPRINGER +3966|Construction and Building Materials|Materials Science / Building materials|0950-0618|Bimonthly| |ELSEVIER SCI LTD +3967|Constructive Approximation|Mathematics / Approximation theory; Numerical analysis|0176-4276|Bimonthly| |SPRINGER +3968|Constructivist Foundations| |1782-348X|Tri-annual| |ALEXANDER RIEGLER +3969|Consultant Pharmacist| |0888-5109|Monthly| |AMER SOC CONSULTANT PHARMACISTS +3970|Consulting Ecology| |1836-4519|Semiannual| |ECOLOGICAL CONSULTANTS ASSOC NSW INC +3971|Consumer Reports| |0010-7174|Monthly| |CONSUMERS UNION US +3972|Contact Dermatitis|Clinical Medicine / Contact dermatitis; Dermatitis, Contact|0105-1873|Monthly| |WILEY-BLACKWELL PUBLISHING +3973|Contemporanea| |1127-3070|Quarterly| |SOC ED IL MULINO +3974|Contemporary Accounting Research|Economics & Business / Comptabilité; Accounting|0823-9150|Quarterly| |WILEY-BLACKWELL PUBLISHING +3975|Contemporary British History| |1361-9462|Quarterly| |ROUTLEDGE JOURNALS +3976|Contemporary Buddhism|Buddhism|1463-9947|Semiannual| |ROUTLEDGE JOURNALS +3977|Contemporary Chinese Thought|Philosophy|1097-1467|Quarterly| |M E SHARPE INC +3978|Contemporary Clinical Trials|Clinical Medicine / Clinical trials; Clinical Trials; Research Design|1551-7144|Bimonthly| |ELSEVIER SCIENCE INC +3979|Contemporary Economic Policy|Economics & Business / Economic policy|1074-3529|Quarterly| |WILEY-BLACKWELL PUBLISHING +3980|Contemporary Educational Psychology|Psychiatry/Psychology / Educational psychology; Psychology, Educational|0361-476X|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +3981|Contemporary European History| |0960-7773|Quarterly| |CAMBRIDGE UNIV PRESS +3982|Contemporary French and Francophone Studies|French literature; Culture; Letterkunde; Cultuur; Frans; Franstaligheid; Massamedia|1740-9292|Quarterly| |TAYLOR & FRANCIS LTD +3983|Contemporary Herpetology| |1094-2246|Irregular| |CONTEMPORARY HERPETOLOGY +3984|Contemporary Literature|Literature, Modern|0010-7484|Quarterly| |UNIV WISCONSIN PRESS +3985|Contemporary Long-Term Care| |8750-9652|Monthly| |BILL COMMUNICATIONS INC +3986|Contemporary Music Review|Music; Musique; Muziek; Compositieleer; Slaginstrumenten|0749-4467|Bimonthly| |ROUTLEDGE JOURNALS +3987|Contemporary Nurse|Social Sciences, general /|1037-6178|Bimonthly| |ECONTENT MANAGEMENT +3988|Contemporary Ob Gyn|Clinical Medicine|0090-3159|Monthly| |MEDICAL ECONOMICS +3989|Contemporary Pacific|Social Sciences, general|1043-898X|Semiannual| |UNIV HAWAII PRESS +3990|Contemporary Physics|Physics / Physics|0010-7514|Bimonthly| |TAYLOR & FRANCIS LTD +3991|Contemporary Political Theory|Social Sciences, general / Political science|1470-8914|Quarterly| |PALGRAVE MACMILLAN LTD +3992|Contemporary Problems of Ecology|Environment/Ecology /|1995-4255|Bimonthly| |SPRINGER +3993|Contemporary Psychoanalysis|Psychiatry/Psychology|0010-7530|Quarterly| |WILLIAM ALANSON WHITE INST +3994|Contemporary Sociology-A Journal of Reviews|Social Sciences, general / Sociology; Sociology literature; Sociologie|0094-3061|Bimonthly| |SAGE PUBLICATIONS INC +3995|Contemporary Theatre Review|Theater|1048-6801|Quarterly| |TAYLOR & FRANCIS LTD +3996|Contemporary Womens Writing|Literature; Women and literature|1754-1476|Semiannual| |OXFORD UNIV PRESS +3997|Continental Philosophy Review|Philosophy|1387-2842|Quarterly| |SPRINGER +3998|Continental Shelf Research|Plant & Animal Science / Continental shelf|0278-4343|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +3999|Continuity and Change|Social Sciences, general / Historical sociology; Sociological jurisprudence; Demography; Social history|0268-4160|Tri-annual| |CAMBRIDGE UNIV PRESS +4000|Continuum Mechanics and Thermodynamics|Engineering / Continuum mechanics; Thermodynamics|0935-1175|Bimonthly| |SPRINGER +4001|Continuum-Journal of Media & Cultural Studies|Social Sciences, general / Motion pictures; Broadcasting; Mass media / Motion pictures; Broadcasting; Mass media|1030-4312|Bimonthly| |ROUTLEDGE JOURNALS +4002|Contraception|Clinical Medicine / Contraception|0010-7824|Monthly| |ELSEVIER SCIENCE INC +4003|Contrast Media & Molecular Imaging|Clinical Medicine / Contrast media (Diagnostic imaging); Diagnostic imaging; Magnetic resonance imaging|1555-4309|Bimonthly| |JOHN WILEY & SONS LTD +4004|Contribuciones Del Instituto Antartico Argentino| |0524-9376|Irregular| |INST ANTARTICO ARGENTINO +4005|Contribuicoes Avulsas Sobre A Historia Natural Do Brasil Serie Historia Dahistoria Natural| |1516-7240|Irregular| |UNIV FEDERAL RURAL DO RIO JANEIRO +4006|Contribuicoes Avulsas Sobre A Historia Natural Do Brasil Serie Zoologia| |1516-7259|Irregular| |UNIV FEDERAL RURAL DO RIO JANEIRO +4007|Contributi Del Centro Linceo Interdisciplinare Beniamino Segre| |0394-0705|Irregular| |ACCAD NAZIONALE LINCEI +4008|Contributions from the Biological Laboratory Kyoto University| |0452-9987|Irregular| |KYOTO UNIV +4009|Contributions from the Museum of Paleontology the University of Michigan| |0097-3556|Irregular| |MUSEUM PALEONTOLOGY +4010|Contributions from the United States National Herbarium| |0097-1618|Irregular| |SMITHSONIAN INST +4011|Contributions from the University of Michigan Herbarium| |0091-1860|Irregular| |UNIV MICHIGAN HERBARIUM +4012|Contributions from the Zoological Institute St Petersburg| |1608-4195|Irregular| |ZOOLOGICAL INST +4013|Contributions in Marine Science| |0082-3449|Annual| |UNIV TEXAS AUSTIN +4014|Contributions in Science| |0459-8113|Irregular| |NATURAL HISTORY MUSUEM LOS ANGELES COUNTY +4015|Contributions of the American Entomological Institute| |0569-4450|Irregular| |AMER ENTOMOLOGICAL INST +4016|Contributions of the Astronomical Observatory Skalnate Pleso|Space Science|1335-1842|Tri-annual| |SLOVAK ACADEMY SCIENCES ASTRONOMICAL INST +4017|Contributions to Embryology| | |Annual| |CARNEGIE INST WASHINGTON +4018|Contributions to Indian Sociology|Social Sciences, general /|0069-9667|Tri-annual| |SAGE PUBLICATIONS INDIA PVT LTD +4019|Contributions to Mineralogy and Petrology|Geosciences / Mineralogy; Petrology / Mineralogy; Petrology / Mineralogy; Petrology|0010-7999|Monthly| |SPRINGER +4020|Contributions to Natural History| |1660-9972|Irregular| |NATURHISTORISCHES MUSEUM-BERN +4021|Contributions to Nephrology|Clinical Medicine|0302-5144|Tri-annual| |KARGER +4022|Contributions to Plasma Physics|Physics / Plasma (Ionized gases); Plasma (Gaz ionisés); Plasmafysica|0863-1042|Bimonthly| |WILEY-V C H VERLAG GMBH +4023|Contributions to the Study of Biological Diversity| | | | |UNIV GUYANA +4024|Contributions to Zoology|Plant & Animal Science|1383-4517|Irregular| |University of Amsterdam +4025|Control and Cybernetics|Engineering|0324-8569|Quarterly| |POLISH ACAD SCIENCES SYSTEMS RESEARCH INST +4026|Control Engineering|Engineering|0010-8049|Monthly| |REED BUSINESS INFORMATION US +4027|Control Engineering and Applied Informatics|Computer Science|1454-8658|Quarterly| |ROMANIAN SOC CONTROL TECH INFORMATICS +4028|Control Engineering Practice|Engineering / Automatic control|0967-0661|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4029|Convergencia-Revista de Ciencias Sociales|Social Sciences, general|1405-1435|Tri-annual| |UNIV AUTONOMA ESTADO MEXICO +4030|Convivium| |0010-8235|Annual| |UNIV BARCELONA +4031|Cookia| |1171-140X|Annual| |WELLINGTON SHELL CLUB +4032|Coolia| |0929-7839|Quarterly| |NEDERLANDSE MYCOLOGISCHE VERENIGING-NMV +4033|Cooperation and Conflict|Social Sciences, general / International cooperation|0010-8367|Quarterly| |SAGE PUBLICATIONS LTD +4034|Coordination Chemistry Reviews|Chemistry / Coordination compounds; Complex compounds; Chemistry|0010-8545|Monthly| |ELSEVIER SCIENCE SA +4035|Copd-Journal of Chronic Obstructive Pulmonary Disease|Clinical Medicine / Lungs; Pulmonary Disease, Chronic Obstructive / Lungs; Pulmonary Disease, Chronic Obstructive|1541-2555|Bimonthly| |INFORMA HEALTHCARE +4036|Copeia|Plant & Animal Science / Ichthyology; Herpetology; Ichthyologie; Herpetologie; Herpétologie; Poissons|0045-8511|Quarterly| |AMER SOC ICHTHYOLOGISTS HERPETOLOGISTS +4037|Coral Reefs|Plant & Animal Science / Coral reef biology; Coral reefs and islands|0722-4028|Quarterly| |SPRINGER +4038|Corax| |0589-686X|Irregular| |ORNITHOLOGISCHE ARBEITSGEMEINSCHAFT SCHLESWIG-HOLSTEIN HAMBURG E V +4039|Corella-Journal of the Australian Bird Study Association| |0155-0438|Tri-annual| |AUSTRALIAN BIRD STUDY ASSOC INC +4040|Cormoran| |0751-7963|Irregular| |GROUPE ORNITHOLOGIQUE NORMAND +4041|Cornea|Clinical Medicine / Cornea|0277-3740|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4042|Cornell Hospitality Quarterly|Economics & Business / Hospitality industry; Hotel management; Restaurant management|1938-9655|Quarterly| |SAGE PUBLICATIONS INC +4043|Cornell International Law Journal|Social Sciences, general|0010-8812|Tri-annual| |CORNELL INT LAW JOURNAL +4044|Cornell Law Quarterly| |8755-2213|Quarterly| |CORNELL LAW REVIEW +4045|Cornell Law Review|Social Sciences, general|0010-8847|Bimonthly| |CORNELL LAW REVIEW +4046|Cornish Studies Second Series| |1352-271X|Annual| |UNIV EXETER PRESS +4047|Coronary Artery Disease|Clinical Medicine / Coronary heart disease; Coronary Disease|0954-6928|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4048|Corporate Governance-An International Review|Economics & Business / Corporate governance|0964-8410|Quarterly| |WILEY-BLACKWELL PUBLISHING +4049|Corpus Linguistics and Linguistic Theory|Social Sciences, general /|1613-7027|Semiannual| |MOUTON DE GRUYTER +4050|Correspondances En Metabolismes Hormones Diabetes et Nutrition|Clinical Medicine|2100-9619|Bimonthly| |EDIMARK SANTE +4051|CORROSION|Materials Science /|0010-9312|Monthly| |NATL ASSOC CORROSION ENG +4052|Corrosion Engineering Science and Technology|Materials Science / Corrosion and anti-corrosives|1478-422X|Quarterly| |MANEY PUBLISHING +4053|Corrosion Reviews|Materials Science|0334-6005|Quarterly| |FREUND PUBLISHING HOUSE LTD +4054|Corrosion Science|Materials Science / Corrosion and anti-corrosives|0010-938X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +4055|Cortex|Neuroscience & Behavior / Neuropsychology; Nervous system; Neurology; Psychophysiology; Cerebral cortex; Behavior; Système nerveux; Comportement humain|0010-9452|Bimonthly| |ELSEVIER MASSON +4056|Cosmetic Dermatology| |1041-3766|Monthly| |QUADRANT HEALTHCOM INC +4057|Cosmetics & Toiletries| |0361-4387|Monthly| |ALLURED PUBL CORP +4058|Cosmic Research|Space Science / Cosmic physics; Astronautics in geophysics; Astronautics|0010-9525|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4059|Cossmanniana| |1157-4402|Irregular| |GROUPE ETUDE RECHERCHE MACROFAUNE CENOZOIQUE +4060|Cotinga| |1353-985X|Semiannual| |NEOTROPICAL BIRD CLUB +4061|Council for Agricultural Science and Technology Task Force Report| |1057-7017|Semiannual| |COUNCIL FOR AGRICULTURAL SCIENCE & TECHNOLOGY +4062|Council for Geoscience Geological Survey of South Africa Memoir| |1681-6099|Irregular| |COUNCIL GEOSCIENCE +4063|Council of Europe Nature and Environment Series| |0252-0575|Irregular| |COUNCIL EUROPE PUBLISHING +4064|Counseling Psychologist|Psychiatry/Psychology / Counseling psychology; Counseling; Vocational Guidance|0011-0000|Bimonthly| |SAGE PUBLICATIONS INC +4065|Course of Study|Education, Elementary|1545-5890|Monthly| |CHICAGO INST +4066|Cr-The New Centennial Review| |1532-687X|Tri-annual| |MICHIGAN STATE UNIV PRESS +4067|Cranio-The Journal of Craniomandibular Practice|Clinical Medicine|0886-9634|Quarterly| |CHROMA INC +4068|Cranium| |0923-5647|Semiannual| |WERKGROEP PLEISTOCENE ZOOGDIEREN +4069|Cratschla| |1021-9706|Semiannual| |EIDGENOESSISCHE NATIONALPARKKOMMISSION ENPK +4070|Creation Matters| |1094-6632|Bimonthly| |CREATION RESEARCH SOC +4071|Creation Research Society Quarterly| |0092-9166|Quarterly| |CREATION RESEARCH SOC +4072|Creativity Research Journal|Psychiatry/Psychology / Creative ability; Créativité|1040-0419|Quarterly| |ROUTLEDGE JOURNALS +4073|Cretaceous Research|Geosciences / Geology, Stratigraphic; Paleontology|0195-6671|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +4074|Crex| |1268-7685|Annual| |LPO ANJOU +4075|Crime & Delinquency|Social Sciences, general / Crime; Juvenile delinquency; Criminology; Juvenile Delinquency; Criminaliteit; Afwijkend gedrag; Criminologie; Délinquance juvénile / Crime; Juvenile delinquency; Criminology; Juvenile Delinquency; Criminaliteit; Afwijkend gedr|0011-1287|Quarterly| |SAGE PUBLICATIONS INC +4076|Crime and Justice-A Review of Research|Social Sciences, general / Crime; Criminal justice, Administration of; Criminologie|0192-3234|Semiannual| |UNIV CHICAGO PRESS +4077|Crime Law and Social Change|Social Sciences, general / Criminology; Law; Social problems; Criminels; Droit; Problèmes sociaux; Criminalité; Criminologie; Rechtssociologie|0925-4994|Bimonthly| |SPRINGER +4078|Crime Media Culture|Social Sciences, general / Social problems in mass media; Crime in mass media; Social problems; Mass media|1741-6590|Tri-annual| |SAGE PUBLICATIONS LTD +4079|Criminal Behaviour and Mental Health|Psychiatry/Psychology / Criminal psychology; Criminals; Criminal behavior; Criminal Psychology; Dangerous Behavior; Mental Disorders; Psychiatrie médico-légale; Comportement criminel; Psychologie criminelle|0957-9664|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4080|Criminal Justice and Behavior|Psychiatry/Psychology / Correctional psychology; Criminal Psychology|0093-8548|Monthly| |SAGE PUBLICATIONS INC +4081|Criminal Law Review|Social Sciences, general|0011-135X|Monthly| |SWEET MAXWELL LTD +4082|Criminology|Social Sciences, general / Crime; Criminal Psychology; Criminology|0011-1384|Quarterly| |WILEY-BLACKWELL PUBLISHING +4083|Criminology & Criminal Justice|Social Sciences, general / Criminology; Criminal justice, Administration of|1748-8958|Quarterly| |SAGE PUBLICATIONS LTD +4084|Crisis-The Journal of Crisis Intervention and Suicide Prevention|Psychiatry/Psychology / Suicide; Crisis intervention (Mental health services); Intervention en situation de crise (Psychiatrie); Crisis Intervention|0227-5910|Quarterly| |HOGREFE & HUBER PUBLISHERS +4085|Critica D Arte| |0011-1511|Tri-annual| |CASA EDITRICE LE LETTERE +4086|Critica Hispanica| |0278-7261|Semiannual| |CRITICA HISPANICA +4087|Critica Letteraria| |0390-0142|Quarterly| |CASA EDITRICE LOFFREDO LUIGI +4088|Critica-Revista Hispanoamericana de Filosofia| |0011-1503|Tri-annual| |CRITICA +4089|Critical Asian Studies|Social Sciences, general /|1467-2715|Quarterly| |ROUTLEDGE JOURNALS +4090|Critical Care|Clinical Medicine / Critical care medicine; Critical Care|1466-609X|Bimonthly| |BIOMED CENTRAL LTD +4091|Critical Care Clinics|Clinical Medicine / Critical care medicine; Critical Care|0749-0704|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +4092|Critical Care Medicine|Clinical Medicine / Critical care medicine; Emergency Medical Services; Intensive Care Units; Intensive care|0090-3493|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +4093|Critical Care Nurse|Social Sciences, general /|0279-5442|Bimonthly| |AMER ASSOC CRITICAL CARE NURSES +4094|Critical Inquiry|Arts; Critical theory; History; Creativiteit; Geest / Arts; Critical theory; History; Creativiteit; Geest|0093-1896|Quarterly| |UNIV CHICAGO PRESS +4095|Critical Quarterly|Engels; Letterkunde|0011-1562|Quarterly| |WILEY-BLACKWELL PUBLISHING +4096|Critical Review|Social Sciences, general / Libertarianism; Politieke filosofie|0891-3811|Quarterly| |ROUTLEDGE JOURNALS +4097|Critical Reviews in Analytical Chemistry|Chemistry / Chemistry, Analytic; Chemistry, Analytical|1040-8347|Quarterly| |TAYLOR & FRANCIS INC +4098|Critical Reviews in Biochemistry and Molecular Biology|Biology & Biochemistry / Biochemistry; Molecular biology; Molecular Biology; Review Literature|1040-9238|Bimonthly| |TAYLOR & FRANCIS INC +4099|Critical Reviews in Biomedical Engineering|Engineering / Biomedical engineering; Biomechanics; Bioengineering; Biomedical Engineering; Génie biomédical|0278-940X|Bimonthly| |BEGELL HOUSE INC +4100|Critical Reviews in Biotechnology|Biology & Biochemistry / Biotechnology; Biomedical Engineering; Technology, Medical; Biotechnologie|0738-8551|Quarterly| |TAYLOR & FRANCIS INC +4101|Critical Reviews in Clinical Laboratory Sciences|Clinical Medicine / Diagnosis, Laboratory; Clinical medicine; Laboratory Techniques and Procedures|1040-8363|Bimonthly| |TAYLOR & FRANCIS INC +4102|Critical Reviews in Environmental Science and Technology|Environment/Ecology / Pollution; Environmental protection; Environmental engineering; Environmental health; Nature; Environmental Health; Environmental Monitoring; Environmental Pollutants; Environmental Pollution; Technology|1064-3389|Quarterly| |TAYLOR & FRANCIS INC +4103|Critical Reviews in Eukaryotic Gene Expression|Molecular Biology & Genetics / Gene expression; Eukaryotic cells; Cells; Eukaryotic Cells; Gene Expression Regulation; Review Literature|1045-4403|Tri-annual| |BEGELL HOUSE INC +4104|Critical Reviews in Food Science and Nutrition|Agricultural Sciences / Food industry and trade; Nutrition; Food; Food-Processing Industry; Aliments|1040-8398|Bimonthly| |TAYLOR & FRANCIS INC +4105|Critical Reviews in Immunology|Immunology / Immunology; Immunity|1040-8401|Bimonthly| |BEGELL HOUSE INC +4106|Critical Reviews in Microbiology|Microbiology / Microbiology; Microbiologie|1040-841X|Quarterly| |INFORMA HEALTHCARE +4107|Critical Reviews in Neurobiology|Neuroscience & Behavior / Neurobiology|0892-0915|Quarterly| |BEGELL HOUSE INC +4108|Critical Reviews in Oncogenesis|Clinical Medicine|0893-9675|Quarterly| |BEGELL HOUSE INC +4109|Critical Reviews in Oncology Hematology|Clinical Medicine / Oncology; Hematology; Hematologic Diseases; Neoplasms|1040-8428|Monthly| |ELSEVIER SCIENCE INC +4110|Critical Reviews in Plant Sciences|Plant & Animal Science / Botany; Plants, Cultivated; Plantkunde|0735-2689|Bimonthly| |TAYLOR & FRANCIS INC +4111|Critical Reviews in Solid State and Materials Sciences|Physics / Solid state physics; Solids; Materials; Materiaalkunde / Solid state physics; Solids; Materials; Materiaalkunde|1040-8436|Quarterly| |TAYLOR & FRANCIS INC +4112|Critical Reviews in Therapeutic Drug Carrier Systems|Pharmacology & Toxicology / Drug carriers (Pharmacy); Pharmaceutical Preparations|0743-4863|Bimonthly| |BEGELL HOUSE INC +4113|Critical Reviews in Toxicology|Pharmacology & Toxicology / Toxicology; Poisons|1040-8444|Bimonthly| |TAYLOR & FRANCIS INC +4114|Critical Social Policy|Social Sciences, general / Welfare economics; Socialism|0261-0183|Quarterly| |SAGE PUBLICATIONS LTD +4115|Critical Studies in Media Communication|Social Sciences, general / Mass media; Massacommunicatie; Médias; Communication|1529-5036|Bimonthly| |ROUTLEDGE JOURNALS +4116|Criticism-A Quarterly for Literature and the Arts| |0011-1589|Quarterly| |WAYNE STATE UNIV PRESS +4117|Critique|Socialism; Socialisme; Communisme|0011-1600|Monthly| |EDITIONS MINUIT +4118|Critique of Anthropology|Social Sciences, general / Anthropology; Marxist anthropology; Culturele antropologie|0308-275X|Quarterly| |SAGE PUBLICATIONS LTD +4119|Critique-Studies in Contemporary Fiction|Fiction; Letterkunde; Engels|0011-1619|Quarterly| |HELDREF PUBLICATIONS +4120|Croatian Journal of Forest Engineering|Plant & Animal Science|1845-5719|Semiannual| |CROATION FORESTS +4121|Croatian Journal of Philosophy| |1333-1108|Tri-annual| |KRUZAK D O O +4122|Croatian Medical Journal|Clinical Medicine / Medicine|0353-9504|Bimonthly| |MEDICINSKA NAKLADA +4123|Croatica Chemica Acta|Chemistry|0011-1643|Quarterly| |CROATIAN CHEMICAL SOC +4124|Croizatia| |1690-7892|Semiannual| |UNIV NACIONAL EXPERIMENTAL +4125|Cronache Farmaceutiche| |0011-1783|Bimonthly| |SOC ITALIANA SCIENZE FARMACUETICHE +4126|Crop & Pasture Science|Agricultural Sciences|1836-5795|Monthly| |CSIRO PUBLISHING +4127|Crop Breeding and Applied Biotechnology|Agricultural Sciences|1518-7853|Quarterly| |BRAZILIAN SOC PLANT BREEDING +4128|Crop Improvement| |0256-0933|Irregular| |CROP IMPROVEMENT SOC INDIA +4129|Crop Protection|Agricultural Sciences / Plants, Protection of; Agricultural pests; Plant diseases; Weeds|0261-2194|Monthly| |ELSEVIER SCI LTD +4130|Crop Research-Hisar| |0970-4884|Bimonthly| |GAURAV SOC AGRICULTURAL RESEARCH INFORMATION CENTRE-ARIC +4131|Crop Science|Agricultural Sciences / Crop science; Cultures; Cultures de plein champ|0011-183X|Bimonthly| |CROP SCIENCE SOC AMER +4132|Cross Cultural Management-An International Journal|Management; International business enterprises|1352-7606|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +4133|Cross-Cultural Research|Social Sciences, general / Social sciences; Behavior; Cross-Cultural Comparison; Sociale wetenschappen; Interculturele vergelijking; Sciences sociales|1069-3971|Quarterly| |SAGE PUBLICATIONS INC +4134|Crossosoma| |0891-9100|Semiannual| |SOUTHERN CALIFORNIA BOTANISTS +4135|Crustacean Research| |0287-3478|Annual| |CARCINOLOGICAL SOC JAPAN +4136|Crustaceana|Plant & Animal Science / Crustacea|0011-216X|Monthly| |BRILL ACADEMIC PUBLISHERS +4137|Cryobiology|Biology & Biochemistry / Cryobiology; Hypothermia; Freeze-drying; Cryoperservation; Cryobiologie; Hypothermie; Lyophilisation|0011-2240|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +4138|Cryogenics|Physics / Low temperature engineering; Low temperature research|0011-2275|Monthly| |ELSEVIER SCI LTD +4139|Cryoletters|Biology & Biochemistry|0143-2044|Bimonthly| |CRYO LETTERS +4140|The Cryosphere|Earth Science|1994-0424|Irregular|http://www.the-cryosphere.net|COPERNICUS GESELLSCHAFT MBH +4141|Cryptogamie Algologie|Plant & Animal Science / Algae|0181-1568|Quarterly| |ADAC-CRYPTOGAMIE +4142|Cryptogamie Bryologie|Plant & Animal Science / Bryophytes; Bryology|1290-0796|Quarterly| |ADAC-CRYPTOGAMIE +4143|Cryptogamie Mycologie|Plant & Animal Science / Mycology; Lichens|0181-1584|Quarterly| |ADAC-CRYPTOGAMIE +4144|Cryptologia|Computer Science / Cryptography|0161-1194|Quarterly| |TAYLOR & FRANCIS INC +4145|Crystal Growth & Design|Chemistry / Crystal growth; Crystals; Crystallization|1528-7483|Monthly| |AMER CHEMICAL SOC +4146|Crystal Research and Technology|Chemistry / Crystallography|0232-1300|Monthly| |WILEY-V C H VERLAG GMBH +4147|Crystallography Reports|Chemistry / Crystallography|1063-7745|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4148|Crystallography Reviews|Crystallography|0889-311X|Quarterly| |TAYLOR & FRANCIS LTD +4149|CrystEngComm|Engineering /|1466-8033|Monthly| |ROYAL SOC CHEMISTRY +4150|Csiro Marine and Atmospheric Research Paper| |1833-2331|Irregular| |CSIRO MARINE & ATMOSPHERIC RES +4151|Ct&f-Ciencia Tecnologia Y Futuro| |0122-5383|Annual| |ECOPETROL SA +4152|Cts-Clinical and Translational Science|Clinical Medicine /|1752-8054|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4153|Cuadernos de Biodiversidad| |1575-5495|Tri-annual| |UNIV ALICANTE +4154|Cuadernos de Desarrollo Rural|Agricultural Sciences|0122-1450|Semiannual| |PONTIFICIA UNIV JAVARIANA +4155|Cuadernos de Economia Y Direccion de la Empresa|Economics & Business|1138-5758|Quarterly| |MINERVA EDICIONES S L +4156|Cuadernos de Herpetologia| |0326-551X|Semiannual| |ASOC HERPETOL ARGENTINA +4157|Cuadernos Del Museo Geominero| |1699-8693|Irregular| |INST GEOLOGICA MINERO ESPANA +4158|Cuadernos Hispanoamericanos| |0011-250X|Monthly| |AGENCIA ESPANOLA COOPERACION INT DESARROLO-AECID +4159|Cuadernos Hospital de Clinicas| |1562-6776|Semiannual| |UNIV MAYOR SAN ANDRES +4160|Cuaj-Canadian Urological Association Journal|Clinical Medicine|1911-6470|Bimonthly| |CANADIAN MEDICAL ASSOC +4161|Cuban Journal of Agricultural Science|Agricultural Sciences|0864-0408|Tri-annual| |CUBAN JOURNAL AGR SCI +4162|Cultura y Educación|Social Sciences, general /|1135-6405|Quarterly| |FUNDACION INFANCIA APRENDIZAJE +4163|Cultura-International Journal of Philosophy of Culture and Axiology| |1584-1057|Semiannual| |EDITURA FUNDATIEI AXIS +4164|Cultural & Social History|Social history; Culture; Historical sociology|1478-0038|Quarterly| |BERG PUBL +4165|Cultural Anthropology|Social Sciences, general / Ethnology; Culturele antropologie|0886-7356|Quarterly| |WILEY-BLACKWELL PUBLISHING +4166|Cultural Critique|Culture; Cultuurkritiek|0882-4371|Tri-annual| |UNIV MINNESOTA PRESS +4167|Cultural Diversity & Ethnic Minority Psychology|Psychiatry/Psychology / Cultural psychiatry; Minorities; Ethnopsychology; Cultural Diversity; Ethnic Groups; Mental Disorders; Etnische minderheden; Culturele verschillen; Cultuurpsychologie / Cultural psychiatry; Minorities; Ethnopsychology; Cultural Di|1099-9809|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +4168|Cultural Geographies|Social Sciences, general / Environmental policy; Human ecology; Human geography|1474-4740|Quarterly| |SAGE PUBLICATIONS LTD +4169|Cultural Sociology|Social Sciences, general / Culture|1749-9755|Tri-annual| |SAGE PUBLICATIONS LTD +4170|Cultural Studies|Social Sciences, general / Culture; Popular culture / Culture; Popular culture|0950-2386|Bimonthly| |ROUTLEDGE JOURNALS +4171|Culture & Psychology|Psychiatry/Psychology / Culture; Ethnopsychology; Psychology|1354-067X|Quarterly| |SAGE PUBLICATIONS LTD +4172|Culture Health & Sexuality|Social Sciences, general / Sex; Sexuality; Culture; Health Behavior; Seksualiteit|1369-1058|Bimonthly| |ROUTLEDGE JOURNALS +4173|Culture Medicine and Psychiatry|Psychiatry/Psychology / Psychiatry, Transcultural; Social psychiatry; Medical anthropology; Anthropology; Cross-Cultural Comparison; Psychiatry; Ethnopsychiatrie; Psychiatrie sociale; Anthropologie médicale|0165-005X|Quarterly| |SPRINGER +4174|Cumhuriyet Universitesi Fen Edebiyat Fakultesi Fen Bilimleri Dergisi| |1300-1949|Semiannual| |CUMHURIYET UNIV TIP FAK PSIKIYATRI ANABILIM DALI +4175|Cunninghamia| |0727-9620|Semiannual| |NATL HERBARIUM NEW SOUTH WALES +4176|Current| |0011-3131|Monthly| |HELDREF PUBLICATIONS +4177|Current Allergy & Clinical Immunology|Clinical Medicine|1609-3607|Quarterly| |ALLERGY SOC SOUTH AFRICA +4178|Current Allergy and Asthma Reports|Clinical Medicine / Allergy; Asthma; Hypersensitivity; Allergie; Asthme|1529-7322|Bimonthly| |CURRENT MEDICINE GROUP +4179|Current Alzheimer Research|Clinical Medicine / Alzheimer's disease; Alzheimer Disease|1567-2050|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4180|Current Analytical Chemistry|Chemistry /|1573-4110|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4181|Current Anthropology|Social Sciences, general / Anthropology; Antropologie; Anthropologie|0011-3204|Bimonthly| |UNIV CHICAGO PRESS +4182|Current Applied Physics|Physics / Physics|1567-1739|Bimonthly| |ELSEVIER SCIENCE BV +4183|Current Atherosclerosis Reports|Arteriosclerosis|1523-3804|Bimonthly| |CURRENT MEDICINE GROUP +4184|Current Bioinformatics|Computer Science / Bioinformatics; Computational Biology|1574-8936|Tri-annual| |BENTHAM SCIENCE PUBL LTD +4185|Current Biology|Biology & Biochemistry / Biology; Review Literature|0960-9822|Semimonthly| |CELL PRESS +4186|Current Cancer Drug Targets|Pharmacology & Toxicology / Drug Delivery Systems; Drug Design; Neoplasms|1568-0096|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4187|Current Computer-Aided Drug Design|Computer-Aided Design; Drug Design|1573-4099|Quarterly| |BENTHAM SCIENCE PUBL LTD +4188|Current Diabetes Reports|Clinical Medicine / Diabetes; Diabetes Mellitus; Diabète|1534-4827|Bimonthly| |CURRENT MEDICINE GROUP +4189|Current Directions in Psychological Science|Psychiatry/Psychology / Psychology|0963-7214|Bimonthly| |SAGE PUBLICATIONS INC +4190|Current Drug Delivery|Drug delivery systems; Drug carriers (Pharmacy); Drug Delivery Systems; Drug Carriers; Pharmaceutical Preparations|1567-2018|Quarterly| |BENTHAM SCIENCE PUBL LTD +4191|Current Drug Metabolism|Pharmacology & Toxicology / Drugs; Pharmaceutical chemistry; Drug delivery systems; Pharmaceutical Preparations; Chemistry, Pharmaceutical; Drug Administration Routes|1389-2002|Quarterly| |BENTHAM SCIENCE PUBL LTD +4192|Current Drug Targets|Pharmacology & Toxicology / Drug Delivery Systems; Drug Design|1389-4501|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4193|Current Eye Research|Clinical Medicine / Ophthalmology; Eye|0271-3683|Monthly| |TAYLOR & FRANCIS INC +4194|Current Gene Therapy|Molecular Biology & Genetics / Gene therapy; Genetic transformation; Gene Therapy; Gene Transfer Techniques|1566-5232|Quarterly| |BENTHAM SCIENCE PUBL LTD +4195|Current Genetics|Molecular Biology & Genetics / Genetics|0172-8083|Monthly| |SPRINGER +4196|Current Genomics|Molecular Biology & Genetics / Genomics; Human genome; Genome; Genome, Human|1389-2029|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4197|Current Heart Failure Reports|Heart failure; Congestive heart failure; Heart Failure, Congestive; Insuffisance cardiaque|1546-9530|Quarterly| |CURRENT MEDICINE GROUP +4198|Current Herpetology| |1345-5834|Semiannual| |HERPETOLOGICAL SOC JAPAN +4199|Current History|Social Sciences, general|0011-3530|Monthly| |CURRENT HIST INC +4200|Current HIV Research|Clinical Medicine / HIV Infections; AIDS Vaccines; Anti-HIV Agents; HIV|1570-162X|Quarterly| |BENTHAM SCIENCE PUBL LTD +4201|Current Hypertension Reports|Clinical Medicine / Hypertension|1522-6417|Bimonthly| |CURRENT MEDICINE GROUP +4202|Current Immunology Reviews|Clinical immunology; Allergy and Immunology; Hypersensitivity|1573-3955|Quarterly| |BENTHAM SCIENCE PUBL LTD +4203|Current Issues in Intestinal Microbiology| |1466-531X|Semiannual| |HORIZON SCIENTIFIC PRESS +4204|Current Issues in Molecular Biology|Molecular Biology & Genetics|1467-3037|Quarterly| |HORIZON SCIENTIFIC PRESS +4205|Current Medical Imaging Reviews|Clinical Medicine / Diagnostic imaging; Diagnostic Imaging|1573-4056|Quarterly| |BENTHAM SCIENCE PUBL LTD +4206|Current Medical Research and Opinion|Clinical Medicine / Drug Therapy; Medicine; Research; Geneeskunde; Chimiothérapie; Médecine|0300-7995|Monthly| |LIBRAPHARM/INFORMA HEALTHCARE +4207|Current Medicinal Chemistry|Pharmacology & Toxicology / Pharmaceutical chemistry; Drugs; Chemistry, Pharmaceutical; Drug Design|0929-8673|Semimonthly| |BENTHAM SCIENCE PUBL LTD +4208|Current Microbiology|Microbiology / Microbiology|0343-8651|Monthly| |SPRINGER +4209|Current Molecular Medicine|Clinical Medicine / Pathology, Molecular; Molecular biology; Medical genetics; Gene therapy; Genetics, Medical; Gene Therapy; Molecular Biology|1566-5240|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4210|Current Nanoscience|Materials Science / Nanoscience; Nanotechnology|1573-4137|Quarterly| |BENTHAM SCIENCE PUBL LTD +4211|Current Nematology| |0971-0116|Annual| |BIOVED RESEARCH SOC +4212|Current Neurology and Neuroscience Reports|Neuroscience & Behavior / Nervous system; Neurology; Neurosciences; Nervous System Diseases; Système nerveux; Neurologie|1528-4042|Bimonthly| |SPRINGER +4213|Current Neuropharmacology|Pharmacology & Toxicology / Neuropharmacology; Central nervous system; Central Nervous System Agents|1570-159X|Quarterly| |BENTHAM SCIENCE PUBL LTD +4214|Current Neurovascular Research|Neuroscience & Behavior / Cerebrovascular disease; Neurosciences; Neuroscience; Cerebrovascular Disorders; Research|1567-2026|Quarterly| |BENTHAM SCIENCE PUBL LTD +4215|Current Oncology|Clinical Medicine / Cancer; Oncology; Neoplasms|1198-0052|Bimonthly| |MULTIMED INC +4216|Current Opinion in Allergy and Clinical Immunology|Clinical Medicine / Allergy; Clinical immunology; Hypersensitivity; Allergy and Immunology; Immunity; Immunologic Diseases|1528-4050|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4217|Current Opinion in Anesthesiology|Clinical Medicine / Anesthesiology; Review Literature|0952-7907|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4218|Current Opinion in Biotechnology|Biology & Biochemistry / Biotechnology|0958-1669|Bimonthly| |CURRENT BIOLOGY LTD +4219|Current Opinion in Cardiology|Clinical Medicine / Cardiology|0268-4705|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4220|Current Opinion in Cell Biology|Molecular Biology & Genetics / Cells; Cytology; Review Literature|0955-0674|Bimonthly| |CURRENT BIOLOGY LTD +4221|Current Opinion in Chemical Biology|Biology & Biochemistry / Bioorganic chemistry; Biology; Biochemistry; Chemistry|1367-5931|Bimonthly| |CURRENT BIOLOGY LTD +4222|Current Opinion in Clinical Nutrition and Metabolic Care|Clinical Medicine / Diet therapy; Nutrition disorders; Clinical Medicine; Metabolism; Nutrition; Nutrition Disorders; Nutritional Support / Diet therapy; Nutrition disorders; Clinical Medicine; Metabolism; Nutrition; Nutrition Disorders; Nutritional Supp|1363-1950|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4223|Current Opinion in Colloid & Interface Science|Chemistry / Colloids; Surface chemistry; Interfaces (Physical sciences); Chemistry, Physical; Surface Properties|1359-0294|Bimonthly| |ELSEVIER SCIENCE LONDON +4224|Current Opinion in Critical Care|Clinical Medicine / Critical care medicine; Critical Care|1070-5295|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4225|Current Opinion in Drug Discovery & Development|Pharmacology & Toxicology|1367-6733|Bimonthly| |THOMSON REUTERS (SCIENTIFIC) LTD +4226|Current Opinion in Gastroenterology|Clinical Medicine / Gastroenterology; Gastrointestinal system; Digestive organs|0267-1379|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4227|Current Opinion in Genetics & Development|Molecular Biology & Genetics / Genetics; Developmental biology; Developmental genetics; Developmental Biology; Genetica|0959-437X|Bimonthly| |CURRENT BIOLOGY LTD +4228|Current Opinion in Hematology|Clinical Medicine / Hematology; Blood; Hematologic Diseases|1065-6251|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4229|Current Opinion in Immunology|Immunology / Immunology; Allergy; Allergy and Immunology; Review Literature; Immunologie; Allergie|0952-7915|Bimonthly| |CURRENT BIOLOGY LTD +4230|Current Opinion in Infectious Diseases|Clinical Medicine / Communicable diseases; Communicable Diseases; Review Literature|0951-7375|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4231|Current Opinion in Investigational Drugs|Pharmacology & Toxicology|1472-4472|Monthly| |THOMSON REUTERS (SCIENTIFIC) LTD +4232|Current Opinion in Lipidology|Clinical Medicine / Lipids; Review Literature|0957-9672|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4233|Current Opinion in Microbiology|Microbiology / Microbiology|1369-5274|Bimonthly| |CURRENT BIOLOGY LTD +4234|Current Opinion in Molecular Therapeutics|Clinical Medicine|1464-8431|Bimonthly| |THOMSON REUTERS (SCIENTIFIC) LTD +4235|Current Opinion in Nephrology and Hypertension|Clinical Medicine / Hypertension; Nephrology; Kidney Diseases / Hypertension; Nephrology; Kidney Diseases|1062-4821|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4236|Current Opinion in Neurobiology|Neuroscience & Behavior / Neurobiology; Neurobiologie|0959-4388|Bimonthly| |CURRENT BIOLOGY LTD +4237|Current Opinion in Neurology|Clinical Medicine / Neurology; Nervous system; Nervous System Diseases; Review Literature|1350-7540|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4238|Current Opinion in Obstetrics & Gynecology|Clinical Medicine / Obstetrics; Gynecology; Genital Diseases, Female; Review Literature / Obstetrics; Gynecology; Genital Diseases, Female; Review Literature|1040-872X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4239|Current Opinion in Oncology|Clinical Medicine / Oncology; Neoplasms; Review Literature|1040-8746|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4240|Current Opinion in Ophthalmology|Clinical Medicine / Ophthalmology; Eye Diseases; Review Literature; Vision Disorders / Ophthalmology; Eye Diseases; Review Literature; Vision Disorders|1040-8738|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4241|Current Opinion in Organ Transplantation|Clinical Medicine / Transplantation of organs, tissues, etc; Immunosuppression; Organ Transplantation; Transplantation Immunology|1087-2418|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +4242|Current Opinion in Otolaryngology & Head and Neck Surgery|Clinical Medicine / Otolaryngology; Otolaryngology, Operative; Otorhinolaryngologic Diseases / Otolaryngology; Otolaryngology, Operative; Otorhinolaryngologic Diseases|1068-9508|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4243|Current Opinion in Pediatrics|Clinical Medicine / Pediatrics; Review Literature|1040-8703|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4244|Current Opinion in Pharmacology|Pharmacology & Toxicology / Pharmacology; Pharmaceutical Preparations; Drug Therapy; Biopharmaceutics|1471-4892|Bimonthly| |ELSEVIER SCI LTD +4245|Current Opinion in Plant Biology|Plant & Animal Science / Botany; Plants|1369-5266|Bimonthly| |CURRENT BIOLOGY LTD +4246|Current Opinion in Psychiatry|Psychiatry/Psychology / Psychiatry; Review Literature|0951-7367|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4247|Current Opinion in Pulmonary Medicine|Clinical Medicine /|1070-5287|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4248|Current Opinion in Rheumatology|Clinical Medicine / Rheumatology; Arthritis; Review Literature; Rheumatic Diseases|1040-8711|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4249|Current Opinion in Solid State & Materials Science|Materials Science / Materials science; Solid state electronics; Semiconductors|1359-0286|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4250|Current Opinion in Structural Biology|Biology & Biochemistry / Molecular biology; Molecular structure; Cytology; Macromolecular Systems; Molecular Biology; Molecular Conformation; Molecular Structure|0959-440X|Bimonthly| |CURRENT BIOLOGY LTD +4251|Current Opinion in Urology|Clinical Medicine / Urology; Review Literature; Urogenital Diseases; Urologic Diseases; Urologie|0963-0643|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4252|Current Organic Chemistry|Chemistry / Chemistry, Organic; Asymmetric synthesis; Organometallic chemistry; Bioorganic chemistry; Heterocyclic chemistry|1385-2728|Monthly| |BENTHAM SCIENCE PUBL LTD +4253|Current Organic Synthesis|Chemistry / Chemistry, Organic; Organic compounds; Organic Chemicals|1570-1794|Quarterly| |BENTHAM SCIENCE PUBL LTD +4254|Current Pain and Headache Reports|Neuroscience & Behavior / Headache; Pain; Céphalée; Douleur|1531-3433|Bimonthly| |CURRENT MEDICINE GROUP +4255|Current Perspectives in Social Theory| |0278-1204|Annual| |JAI PRESS INC +4256|Current Pharmaceutical Analysis|Pharmacology & Toxicology / Drugs; Pharmaceutical Preparations; Chemistry, Pharmaceutical|1573-4129|Quarterly| |BENTHAM SCIENCE PUBL LTD +4257|Current Pharmaceutical Biotechnology|Pharmacology & Toxicology / Pharmaceutical biotechnology; Biological products; Biotechnology; Drug utilization; Biological Products; Drug Therapy|1389-2010|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4258|Current Pharmaceutical Design|Pharmacology & Toxicology / Drugs; Pharmacy; Drug Design; Technology, Pharmaceutical|1381-6128|Biweekly| |BENTHAM SCIENCE PUBL LTD +4259|Current Pharmacogenomics & Personalized Medicine|Pharmacogenetics; Genomics|1875-6921|Quarterly| |BENTHAM SCIENCE PUBL LTD +4260|Current Problems in Cancer|Clinical Medicine / Cancer; Neoplasms|0147-0272|Bimonthly| |MOSBY-ELSEVIER +4261|Current Problems in Cardiology|Clinical Medicine / Cardiology / Cardiology|0146-2806|Monthly| |MOSBY-ELSEVIER +4262|Current Problems in Surgery|Clinical Medicine / Surgery|0011-3840|Monthly| |MOSBY-ELSEVIER +4263|Current Protein & Peptide Science|Biology & Biochemistry / Proteins; Peptides|1389-2037|Bimonthly| |BENTHAM SCIENCE PUBL LTD +4264|Current Proteomics|Molecular Biology & Genetics / Proteomics|1570-1646|Quarterly| |BENTHAM SCIENCE PUBL LTD +4265|Current Psychology|Psychiatry/Psychology / Psychology; Psychologie|1046-1310|Quarterly| |SPRINGER +4266|Current Research in Bacteriology| |1994-5426|Quarterly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +4267|Current Research in Earth Sciences| | |Annual| |KANSAS GEOLOGICAL SURVEY +4268|Current Research in the Pleistocene| |8755-898X|Annual| |CENTER STUDY FIRST AMER +4269|Current Science|Multidisciplinary|0011-3891|Semimonthly| |INDIAN ACAD SCIENCES +4270|Current Signal Transduction Therapy|Pharmacology & Toxicology / Clinical chemistry; Tumors; Transduction; Genomics; Proteomics; Signal Transduction|1574-3624|Tri-annual| |BENTHAM SCIENCE PUBL LTD +4271|Current Sociology|Social Sciences, general / Sociology; Social problems; Sociologie|0011-3921|Bimonthly| |SAGE PUBLICATIONS LTD +4272|Current Sports Medicine Reports|Clinical Medicine / Sports medicine; Sports injuries; Athletic Injuries; Sports Medicine; Médecine du sport|1537-890X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4273|Current Therapeutic Research-Clinical and Experimental|Clinical Medicine / Drugs; Pharmaceutical Preparations|0011-393X|Bimonthly| |ELSEVIER +4274|Current Topics in Developmental Biology|Molecular Biology & Genetics /|0070-2153|Annual| |ELSEVIER ACADEMIC PRESS INC +4275|Current Topics in Medicinal Chemistry|Chemistry / Pharmaceutical chemistry; Drugs; Chemistry, Pharmaceutical; Drug Design|1568-0266|Semimonthly| |BENTHAM SCIENCE PUBL LTD +4276|Current Topics in Membranes|Biology & Biochemistry|1063-5823|Annual| |ELSEVIER ACADEMIC PRESS INC +4277|Current Topics in Microbiology and Immunology|Immunology|0070-217X|Quarterly| |SPRINGER-VERLAG BERLIN +4278|Current Topics in Nutraceutical Research|Pharmacology & Toxicology|1540-7535|Quarterly| |NEW CENTURY HEALTH PUBLISHERS +4279|Current Topics in Pharmacology| |0972-4559|Annual| |RESEARCH TRENDS +4280|Current Treatment Options in Cardiovascular Medicine|Cardiovascular Diseases; Appareil cardiovasculaire|1092-8464|Bimonthly| |CURRENT MEDICINE GROUP +4281|Current Treatment Options in Neurology|Neuroscience & Behavior / Nervous System Diseases; Système nerveux|1092-8480|Bimonthly| |CURRENT MEDICINE GROUP +4282|Current Treatment Options in Oncology|Clinical Medicine / Neoplasms; Cancer|1527-2729|Bimonthly| |SPRINGER +4283|Current Vascular Pharmacology|Pharmacology & Toxicology / Cardiovascular Diseases; Cardiovascular Agents; Cardiovascular System|1570-1611|Quarterly| |BENTHAM SCIENCE PUBL LTD +4284|Current World Environment| |0973-4929|Semiannual| |ORIENTAL SCIENTIFIC PUBL CO +4285|Current Zoology| |1674-5507|Bimonthly| |CURRENT ZOOLOGY +4286|Curriculum Inquiry|Social Sciences, general / Curriculum planning; Programmes d'études|0362-6784|Quarterly| |WILEY-BLACKWELL PUBLISHING +4287|Curriculum Matters|Social Sciences, general|1177-1828|Annual| |NEW ZEALAND COUNCIL EDUCATIONAL RESEARCH +4288|Curtin University of Technology Department of Environmental Biology Bulletin| | |Irregular| |CURTIN UNIV TECHNOLOGY +4289|Curtis Botanical Magazine|Botany; Plants, Cultivated; Plants, Ornamental|1355-4905|Quarterly| |WILEY-BLACKWELL PUBLISHING +4290|Cushman Foundation for Foraminiferal Research Special Publication| |0070-2242|Irregular| |CUSHMAN FOUNDATION FORAMINIFERAL RES +4291|Custos E Agronegocio|Agricultural Sciences|1808-2882|Tri-annual| |UNIV FED RURAL PERNAMBUCO +4292|Cutaneous and Ocular Toxicology|Pharmacology & Toxicology / Dermatotoxicology; Ocular toxicology; Eye; Skin; Toxicology|1556-9527|Quarterly| |TAYLOR & FRANCIS INC +4293|Cutis|Clinical Medicine|0011-4162|Monthly| |QUADRANT HEALTHCOM INC +4294|Cws Migratory Birds Regulatory Report| |1497-0139|Annual| |CANADIAN WILDLIFE SERVICE +4295|Cybernetics and Systems|Engineering / Cybernetics; System theory / Cybernetics; System theory|0196-9722|Bimonthly| |TAYLOR & FRANCIS INC +4296|Cyberpsychology Behavior and Social Networking| |2152-2715|Bimonthly| |MARY ANN LIEBERT INC +4297|Cybium|Plant & Animal Science|0399-0974|Quarterly| |SOC FRANCAISE D ICHTYOLOGIE +4298|Cyprus Bird Report| | |Annual| |BIRDLIFE CYPRUS +4299|Cyta-Journal of Food|Agricultural Sciences|1947-6345|Tri-annual| |TAYLOR & FRANCIS LTD +4300|Cytogenetic and Genome Research|Molecular Biology & Genetics / Genetics; Cytogenetics; Genomics; Génétique; Cytogénétique; Génomique|1424-8581|Semimonthly| |KARGER +4301|Cytokine|Molecular Biology & Genetics / Cytokines; Biological Factors|1043-4666|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +4302|Cytokine & Growth Factor Reviews|Molecular Biology & Genetics / Growth factors; Cytokines; Growth Substances; Groeifactoren (biowetenschappen); Cytokinen|1359-6101|Bimonthly| |ELSEVIER SCI LTD +4303|CYTOLOGIA|Molecular Biology & Genetics / Cells; Cytology|0011-4545|Quarterly| |UNIV TOKYO CYTOLOGIA +4304|Cytology and Genetics|Molecular Biology & Genetics / Genetics; Cytology; Cytogenetics; Celbiologie; Genetica|0095-4527|Bimonthly| |ALLERTON PRESS INC +4305|Cytometry Part A|Molecular Biology & Genetics / Flow cytometry; Imaging systems in biology; Imaging systems in medicine; Diagnostic imaging; Flow Cytometry; Diagnostic Imaging|1552-4922|Monthly| |WILEY-LISS +4306|Cytometry Part B-Clinical Cytometry|Molecular Biology & Genetics / Flow cytometry; Cytodiagnosis; Flow Cytometry|1552-4949|Bimonthly| |WILEY-LISS +4307|Cytopathology|Clinical Medicine / Cytodiagnosis; Cytological Techniques; Cytopathologie|0956-5507|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4308|Cytoskeleton|Molecular Biology & Genetics /|1949-3584|Monthly| |WILEY-LISS +4309|Cytotechnology|Biology & Biochemistry / Cell culture; Cytology; Biotechnology; Cytogenetics; Cells, Cultured; Cytological Techniques; Cellules; Cytologie; Biotechnologie; Cytogénétique|0920-9069|Monthly| |SPRINGER +4310|Cytotherapy|Clinical Medicine / Cytokines; Cellular therapy; Cell Transplantation|1465-3249|Bimonthly| |TAYLOR & FRANCIS AS +4311|Czech Geological Survey Special Papers| |1210-8960|Irregular| |CZECH GEOLOGICAL SURVEY +4312|Czech Journal of Animal Science|Plant & Animal Science|1212-1819|Monthly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +4313|Czech Journal of Food Sciences|Agricultural Sciences|1212-1800|Bimonthly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +4314|Czech Journal of Genetics and Plant Breeding|Plant & Animal Science|1212-1975|Quarterly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +4315|Czech Mycology| |1211-0981|Quarterly| |CZECH SCIENTIFIC SOC MYCOLOGY +4316|Czechoslovak Mathematical Journal|Mathematics / Mathematics; Mathématiques|0011-4642|Quarterly| |SPRINGER HEIDELBERG +4317|Dados-Revista de Ciencias Sociais|Social Sciences, general / Social sciences; Sociale wetenschappen|0011-5258|Quarterly| |INST UNIV PESQUISAS RIO DE JANEIRO-IUPERJ +4318|Daedalus|Social Sciences, general / Science; Social sciences; Humanities; ARTS; CULTURE; SCIENCE; UNITED STATES|0011-5266|Quarterly| |M I T PRESS +4319|Dahlia| |0122-9982|Annual| |ASOC COLOMB ICTIOL-ACICTIOS +4320|Dairy Science & Technology|Agricultural Sciences / Milk; Dairying; Dairy Products; Lait / Dairy Products; Milk|1958-5586|Bimonthly| |EDP SCIENCES S A +4321|Dalhousie Review| |0011-5827|Tri-annual| |DALHOUSIE UNIV PRESS LTD +4322|Dalian Shuichan Xueyuan Xuebao| |1000-9957|Quarterly| |DALIAN FISHERIES UNIV +4323|Dalton Transactions|Chemistry / Chemistry, Inorganic; Chemistry, Physical and theoretical; Anorganische chemie|1477-9226|Weekly| |ROYAL SOC CHEMISTRY +4324|Dance Chronicle|Dance; Danse|0147-2526|Tri-annual| |TAYLOR & FRANCIS INC +4325|Dance Magazine| |0011-6009|Monthly| |DANCE MAGAZINE INC +4326|Dance Research|Dance|0264-2875|Semiannual| |EDINBURGH UNIV PRESS +4327|Dance Research Journal|Dance|0149-7677|Semiannual| |UNIV ILLINOIS PRESS +4328|Dance Theatre Journal| |0264-9160|Quarterly| |LABAN CENTRE MOVEMENT DANCE LTD +4329|Dancing Times| |0011-605X|Monthly| |DANCING TIMES LTD +4330|Danish Medical Bulletin|Clinical Medicine|0907-8916|Bimonthly| |DANISH MEDICAL ASSOC +4331|Danish Pest Infestation Laboratory Annual Report| |0374-504X|Annual| |STATENS SKADEDYRLABORATORIUM +4332|Danmarks Dyreliv| |0109-7164|Irregular| |APOLLO BOOKS +4333|Danphe| | |Quarterly| |BIRD CONSERVATION NEPAL +4334|Dansk Ornitologisk Forenings Tidsskrift| |0011-6394|Quarterly| |DANSK ORNITHOLOGISK FORENING +4335|Dao-A Journal of Comparative Philosophy|Philosophy, Comparative|1540-3009|Quarterly| |SPRINGER +4336|Daphnis-Zeitschrift fur Mittlere Deutsche Literatur| |0300-693X|Quarterly| |EDITIONS RODOPI BV +4337|Daru-Journal of Faculty of Pharmacy|Pharmacology & Toxicology|1560-8115|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +4338|Darwiniana| |0011-6793|Semiannual| |INST BOTANICA DARWINION +4339|Data & Knowledge Engineering|Engineering / Database design; Database management; Expert systems (Computer science); Software engineering; Bases de données|0169-023X|Monthly| |ELSEVIER SCIENCE BV +4340|Data Base for Advances in Information Systems|Electronic data processing; Database management; Business; Informatique; Bases de données; Gestion|0095-0033|Quarterly| |ASSOC COMPUTING MACHINERY +4341|Data Mining and Knowledge Discovery|Engineering / Data mining; Database searching; Kennisverwerving; Exploration de données (Informatique); Bases de données|1384-5810|Bimonthly| |SPRINGER +4342|Datz| |0941-8393|Monthly| |EUGEN ULMER GMBH CO +4343|Dcg-Informationen| |0724-7435|Monthly| |DEUTSCHE CICHLIDEN-GESELLSCHAFT E V +4344|Death Studies|Psychiatry/Psychology / Death; Bereavement; Terminal care; Attitude to Death; Education; Terminal Care|0748-1187|Bimonthly| |BRUNNER/MAZEL INC +4345|Decheniana| |0366-872X|Annual| |NATURHISTORISCHER VEREIN RHEINLANDE WESTFALENS +4346|Decision Analysis|Social Sciences, general / Decision making|1545-8490|Quarterly| |INFORMS +4347|Decision Sciences|Economics & Business / Decision making; Policy sciences|0011-7315|Quarterly| |WILEY-BLACKWELL PUBLISHING +4348|Decision Support Systems|Engineering / Decision making; Management science|0167-9236|Monthly| |ELSEVIER SCIENCE BV +4349|Deep Sea Research Part I: Oceanographic Research Papers|Plant & Animal Science / Oceanography; Oceanografie; Diepzee|0967-0637|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +4350|Deep Sea Research Part II: Topical Studies in Oceanography|Geosciences / Oceanography; Ocean bottom; Marine biology|0967-0645|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4351|Deer| |0141-4259|Tri-annual| |BRITISH DEER SOC +4352|Deer Specialist Group News| | |Annual| |IUCN-SSC DEER SPECIALIST GROUP +4353|Defence and Peace Economics|Economics & Business / Military readiness; Disarmament|1024-2694|Bimonthly| |TAYLOR & FRANCIS LTD +4354|Defence Science Journal|Engineering|0011-748X|Bimonthly| |DEFENCE SCIENTIFIC INFORMATION DOCUMENTATION CENTRE +4355|Degres-Revue de Synthese A Orientation Semiologique| |0376-8163|Quarterly| |DEGRES +4356|Deinsea-Rotterdam| |0923-9308|Annual| |NATUURMUSEUM ROTTERDAM +4357|Deltion Ellenikes Mikrobiologikes Etaireias| |0438-9573|Bimonthly| |GREEK SOC MICROBIOLOGY +4358|Dementia and Geriatric Cognitive Disorders|Neuroscience & Behavior / Dementia; Cognition disorders in old age; Cognition Disorders; Aged; Dementie; Ziekte van Alzheimer|1420-8008|Bimonthly| |KARGER +4359|Democratization|Social Sciences, general / Democracy; Economic history; Democratization|1351-0347|Bimonthly| |ROUTLEDGE JOURNALS +4360|Demographic Research|Social Sciences, general /|1435-9871| | |MAX PLANCK INST DEMOGRAPHIC RESEARCH +4361|Demography|Social Sciences, general / Demography|0070-3370|Quarterly| |POPULATION ASSOC AMER +4362|Dendrobiology|Plant & Animal Science|1641-1307|Semiannual| |BOGUCKI WYDAWNICTWO NAUKOWE +4363|Dendrochronologia|Plant & Animal Science / Dendrochronology|1125-7865|Tri-annual| |ELSEVIER GMBH +4364|Dendrocopos| |0935-946X|Annual| |NATURSCHUTZBUND DEUTSCHLAND E V +4365|Deneverkutatas| |1219-4565|Semiannual| |MAGYAR DENEVERVEDELMI ALAPITVANY +4366|Dengue Bulletin| |1020-895X|Annual| |WHO +4367|Denisia| |1608-8700|Irregular| |LAND OBEROESTERREICH +4368|Denkmalpflege| |0947-031X|Semiannual| |DEUTSCHER KUNSTVERLAG GMBH +4369|Dental Materials|Clinical Medicine / Dentistry; Dental materials; Dental Materials; Matériaux dentaires; Restauratieve tandheelkunde; Materialen|0109-5641|Bimonthly| |ELSEVIER SCI LTD +4370|Dental Materials Journal|Clinical Medicine /|0287-4547|Bimonthly| |JAPANESE SOC DENTAL MATERIALS DEVICES +4371|Dental Traumatology|Clinical Medicine / Teeth; Dentistry, Operative; Traumatology; Endodontics; Chirurgie dentaire; Dents; Esthetics, Dental; Maxillofacial Injuries; Tooth Injuries|1600-4469|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4372|Dentomaxillofacial Radiology|Clinical Medicine / Teeth; Face; Radiography, Dental|0250-832X|Bimonthly| |BRITISH INST RADIOLOGY +4373|Denver Museum of Nature & Science Annals| |1948-9293|Irregular| |DENVER MUSEUM NATURE & SCIENCE +4374|Denver University Law Review|Social Sciences, general|0883-9409|Quarterly| |DENVER UNIV LAW REV +4375|Depana En Accio| |1134-9247|Quarterly| |LLIGA PER DEFENSA PATRIMONI NATURAL-DEPANA +4376|Department of Conservation Technical Series| |1172-6873|Irregular| |DOC SCIENCE PUBLICATIONS +4377|Depression and Anxiety|Psychiatry/Psychology / Anxiety; Depression, Mental; Anxiety Disorders; Depression; Angststoornissen; Depressies (psychiatrie)|1091-4269|Bimonthly| |WILEY-LISS +4378|Derbyshire & Nottinghamshire Entomological Society Journal| |1745-6967|Quarterly| |DERBYSHIRE NOTTINGHAMSHIRE ENTOMOLOGICAL SOC +4379|Dermatitis|Clinical Medicine / /|1710-3568|Quarterly| |B C DECKER INC +4380|Dermatologic Clinics|Clinical Medicine / Dermatology; Skin Diseases; Dermatologie|0733-8635|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +4381|Dermatologic Surgery|Clinical Medicine /|1076-0512|Monthly| |WILEY-BLACKWELL PUBLISHING +4382|Dermatologic Therapy|Clinical Medicine / Skin; Dermatology; Skin Diseases|1396-0296|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4383|Dermatologica Sinica|Clinical Medicine /|1027-8117|Quarterly| |TAIWANESE DERMATOLOGICAL ASSOC +4384|Dermatologische Wochenschrift| |0366-8940|Weekly| |JOHANN AMBROSIUS BARTH VERLAG MEDIZINVERLAGE HEIDELBERG GMBH +4385|Dermatology|Clinical Medicine / Dermatology; Skin; Skin Diseases|1018-8665|Bimonthly| |KARGER +4386|Desalination|Chemistry / Saline water conversion; Seawater; Sels; Eau; Eau salée|0011-9164|Semimonthly| |ELSEVIER SCIENCE BV +4387|DESALINATION AND WATER TREATMENT|Engineering /|1944-3994|Monthly| |DESALINATION PUBL +4388|Descant| |0382-909X|Quarterly| |DESCANT +4389|Descriptions of Ectomycorrhizae| |1431-4819|Annual| |EINHORN-VERLAG GMBH +4390|Desde El Charco| | |Irregular| |GRUPO ARGENTINO KILLIS +4391|Design Automation for Embedded Systems|Computer Science / Embedded computer systems|0929-5585|Quarterly| |SPRINGER +4392|Design Issues|Design; Architectural design; Design, Industrial|0747-9360|Quarterly| |M I T PRESS +4393|Design Journal| |1460-6925|Tri-annual| |BERG PUBL +4394|Design Studies|Engineering / Architectural design; Architecture; Design|0142-694X|Bimonthly| |ELSEVIER SCI LTD +4395|Designed Monomers and Polymers|Chemistry / Monomers; Polymers; Macromolecules; Polymerization; Macromolecular Substances|1385-772X|Quarterly| |VSP BV +4396|Designs Codes and Cryptography|Mathematics / Combinatorial designs and configurations; Coding theory; Cryptography|0925-1022|Monthly| |SPRINGER +4397|Deutsche Apotheker| |0366-8622|Irregular| |VERLAG DEUTSCHE APOTHEKER +4398|Deutsche Apotheker Zeitung| |0011-9857|Weekly| |DEUTSCHER APOTHEKER VERLAG +4399|Deutsche Entomologische Zeitschrift|Plant & Animal Science / Entomology / /|1435-1951|Semiannual| |WILEY-V C H VERLAG GMBH +4400|Deutsche Lebensmittel-Rundschau|Agricultural Sciences|0012-0413|Monthly| |WISSENSCHAFTLICHE VERLAG MBH +4401|Deutsche Medizinische Wochenschrift|Clinical Medicine /|0012-0472|Weekly| |GEORG THIEME VERLAG KG +4402|Deutsche Sprache| |0340-9341|Quarterly| |ERICH SCHMIDT VERLAG +4403|Deutsche Vierteljahrsschrift fur Literaturwissenschaft und Geistesgeschichte| |0012-0936|Quarterly| |J B METZLER +4404|Deutsche Zeitschrift für Philosophie|Philosophy; Filosofie|0012-1045|Bimonthly| |AKADEMIE VERLAG GMBH +4405|Deutsche Zeitschrift fur Sportmedizin|Clinical Medicine|0344-5925|Monthly| |W W F VERLAGSGESELLSCHAFT GMBH +4406|Deutsches Arzteblatt International|Clinical Medicine|1866-0452|Weekly| |DEUTSCHER AERZTE-VERLAG GMBH +4407|Developing Economies|Social Sciences, general /|0012-1533|Quarterly| |WILEY-BLACKWELL PUBLISHING +4408|Developing World Bioethics|Social Sciences, general / Medical ethics; Bioethics; Developing Countries; Drug Industry; Research Design; Bio-ethiek; Éthique médicale; Bioéthique|1471-8731|Tri-annual| |WILEY-BLACKWELL PUBLISHING +4409|Development|Molecular Biology & Genetics / Developmental biology; Embryology; Morphology (Animals); Biology; Growth|0950-1991|Semimonthly| |COMPANY OF BIOLOGISTS LTD +4410|Development and Change|Social Sciences, general / Social sciences; Economic development; Social change; Sociaal-economische ontwikkeling|0012-155X|Quarterly| |WILEY-BLACKWELL PUBLISHING +4411|Development and Psychopathology|Psychiatry/Psychology / Psychology, Pathological; Developmental psychology; Mental illness; Child psychopathology; Adolescent psychopathology; Developmental Disabilities; Human Development; Psychopathology|0954-5794|Quarterly| |CAMBRIDGE UNIV PRESS +4412|Development Genes and Evolution|Molecular Biology & Genetics / Embryology; Developmental biology; Genes; Evolution (Biology); Developmental Biology; Growth; Ontwikkelingsbiologie / Embryology; Developmental biology; Genes; Evolution (Biology); Developmental Biology; Growth; Ontwikkelin|0949-944X|Monthly| |SPRINGER +4413|Development Growth & Differentiation|Molecular Biology & Genetics / Embryology; Developmental biology; Growth; Embryologie; Biologie du développement; Croissance|0012-1592|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4414|Development Policy Review|Social Sciences, general / Economic assistance; Technical assistance|0950-6764|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4415|Development Southern Africa|Social Sciences, general / Economic development|0376-835X|Bimonthly| |ROUTLEDGE JOURNALS +4416|Developmental and Comparative Immunology|Immunology / Immunology, Comparative; Developmental immunology; Allergy and Immunology|0145-305X|Monthly| |ELSEVIER SCI LTD +4417|Developmental Biology|Molecular Biology & Genetics / Biology; Developmental Biology|0012-1606|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +4418|Developmental Cell|Molecular Biology & Genetics / Cytology; Developmental biology; Cells; Developmental Biology|1534-5807|Monthly| |CELL PRESS +4419|Developmental Disabilities Research Reviews|Clinical Medicine / Developmental Disabilities / Developmental Disabilities|1940-5510|Quarterly| |WILEY-LISS +4420|Developmental Dynamics|Molecular Biology & Genetics / Developmental biology; Embryology; Anatomy; Morphogenesis|1058-8388|Monthly| |WILEY-LISS +4421|Developmental Medicine and Child Neurology|Neuroscience & Behavior / Cerebral palsy; Child Development; Neurology; Nervous System Diseases|0012-1622|Monthly| |WILEY-BLACKWELL PUBLISHING +4422|Developmental Neurobiology|Neuroscience & Behavior / Developmental neurobiology; Neurobiology; Neurology|1932-8451|Monthly| |JOHN WILEY & SONS INC +4423|Developmental Neuropsychology|Psychiatry/Psychology / Neuropsychology; Neuropsychologie|8756-5641|Bimonthly| |PSYCHOLOGY PRESS +4424|Developmental Neuroscience|Neuroscience & Behavior / Neurosciences; Developmental neurobiology; Nervous System; Neurology; Neurologie|0378-5866|Bimonthly| |KARGER +4425|Developmental Psychobiology|Neuroscience & Behavior / Developmental psychobiology; Behavior; Growth; Psychophysiology; Psychobiologie; Ontwikkelingspsychologie|0012-1630|Bimonthly| |JOHN WILEY & SONS INC +4426|Developmental Psychology|Psychiatry/Psychology / Developmental psychology; Child Development; Child Psychology; Ontwikkelingspsychologie; Psychologie du développement|0012-1649|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +4427|Developmental Review|Psychiatry/Psychology / Child psychology; Cognition in children; Behavior modification; Child Behavior; Child Development; Cognition; Child; Infant|0273-2297|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +4428|Developmental Science|Psychiatry/Psychology / Developmental psychology; Psychology, Comparative; Human Development; Primates; Psychology; Ontwikkelingspsychologie; Ontwikkelingsbiologie|1363-755X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4429|Developments in Palaeontology and Stratigraphy| |0920-5446|Annual| |ELSEVIER SCIENCE BV +4430|Déviance et Société|Social Sciences, general / Deviant behavior; Social Behavior Disorders; Social Behavior|0378-7931|Quarterly| |MEDECINE ET HYGIENE +4431|Deviant Behavior|Social Sciences, general / Deviant behavior; Behavior; Social Behavior Disorders; Social Conformity; Afwijkend gedrag|0163-9625|Bimonthly| |TAYLOR & FRANCIS INC +4432|Devonshire Association for the Advancement of Science Literature and the Arts Report and Transactions| |0309-7994|Annual| |DEVONSHIRE ASSOC ADVANCEMENT SCIENCE LITERATURE ARTS +4433|Dgaae Nachrichten| |0931-4873|Irregular| |DEUTSCHE GESELLSCHAFT ALLGEMEINE ANGEWANDTE ENTOMOLOGIE E V +4434|Dhaka University Journal of Biological Sciences| |1021-2787|Semiannual| |DHAKA UNIV-JOURNAL BIOLOGICAL SCIENCES +4435|Diabetes|Clinical Medicine / Diabetes; Diabetes Mellitus; Diabète; Diabetes mellitus|0012-1797|Monthly| |AMER DIABETES ASSOC +4436|Diabetes & Metabolism|Biology & Biochemistry / Diabetes; Metabolism; Diabetes Mellitus; Metabolic Diseases|1262-3636|Bimonthly| |MASSON EDITEUR +4437|Diabetes & Vascular Disease Research|Clinical Medicine / Diabetes Complications; Cardiovascular Diseases|1479-1641|Bimonthly| |SAGE PUBLICATIONS LTD +4438|Diabetes Care|Clinical Medicine / Diabetes; Diabetics; Diabetes Mellitus; Diabetes mellitus; Diabète|0149-5992|Monthly| |AMER DIABETES ASSOC +4439|Diabetes Educator|Clinical Medicine / Diabetes; Diabetes Mellitus|0145-7217|Bimonthly| |SAGE PUBLICATIONS INC +4440|Diabetes Obesity & Metabolism|Clinical Medicine / Diabetes; Obesity; Metabolism; Diabetes Mellitus; Diabetes Mellitus x drug therapy / Diabetes; Obesity; Metabolism; Diabetes Mellitus; Diabetes Mellitus x drug therapy|1462-8902|Monthly| |WILEY-BLACKWELL PUBLISHING +4441|Diabetes Research and Clinical Practice|Clinical Medicine / Diabetes Mellitus|0168-8227|Monthly| |ELSEVIER IRELAND LTD +4442|Diabetes Stoffwechsel und Herz|Clinical Medicine|1861-7603|Bimonthly| |VERLAG KIRCHHEIM +4443|Diabetes Technology & Therapeutics|Clinical Medicine / Diabetes; Medical technology; Diabetes Mellitus; Blood Glucose Self-Monitoring; Equipment and Supplies / Diabetes; Medical technology; Diabetes Mellitus; Blood Glucose Self-Monitoring; Equipment and Supplies|1520-9156|Monthly| |MARY ANN LIEBERT INC +4444|Diabetes-Metabolism Research and Reviews|Clinical Medicine / Diabetes; Diabetes Mellitus; Metabolic Diseases|1520-7552|Bimonthly| |JOHN WILEY & SONS LTD +4445|Diabetic Medicine|Clinical Medicine / Diabetes; Diabetes Mellitus; Diabetes mellitus|0742-3071|Monthly| |WILEY-BLACKWELL PUBLISHING +4446|Diabetologe|Clinical Medicine /|1860-9716|Bimonthly| |SPRINGER +4447|Diabetologia|Clinical Medicine / Diabetes; Diabetes Mellitus|0012-186X|Monthly| |SPRINGER +4448|Diabetologia Croatica| |0351-0042|Quarterly| |VUK VRHOVAC INST +4449|Diabetologie und Stoffwechsel|Clinical Medicine /|1861-9002|Bimonthly| |GEORG THIEME VERLAG KG +4450|Diachronica|Social Sciences, general / Historical linguistics; Indo-European philology|0176-4225|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +4451|Diacritics-A Review of Contemporary Criticism|Criticism|0300-7162|Quarterly| |JOHNS HOPKINS UNIV PRESS +4452|Diagnostic and Interventional Radiology|Clinical Medicine /|1305-3825|Quarterly| |TURKISH SOC RADIOLOGY +4453|Diagnostic Cytopathology|Clinical Medicine / Cytodiagnosis; Pathology, Cellular; Cytology; Cells|8755-1039|Monthly| |WILEY-LISS +4454|Diagnostic Microbiology and Infectious Disease|Clinical Medicine / Diagnostic microbiology; Communicable diseases; Communicable Diseases; Laboratory Techniques and Procedures; Microbiology|0732-8893|Monthly| |ELSEVIER SCIENCE INC +4455|Diagnostic Molecular Pathology|Clinical Medicine / Pathology, Molecular; Pathology, Surgical; Diagnosis, Laboratory; Pathology; Molecular probes; Laboratory Techniques and Procedures; Molecular Probe Techniques; Pathologie; Diagnostiek; Moleculaire biologie|1052-9551|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +4456|Diagnostic Pathology|Clinical Medicine / Pathology, Surgical; Pathology, Clinical|1746-1596|Irregular| |BIOMED CENTRAL LTD +4457|Diagnostica|Psychiatry/Psychology / Psychometrics|0012-1924|Quarterly| |HOGREFE & HUBER PUBLISHERS +4458|dialectica|Psychology; Dialectic; Kennistheorie; Psychologie; Dialectique|0012-2017|Quarterly| |WILEY-BLACKWELL PUBLISHING +4459|Dialectologia et Geolinguistica|Social Sciences, general /|0942-4040|Annual| |MOUTON DE GRUYTER +4460|Dialog-A Journal of Theology|Theology; Theologie|0012-2033|Quarterly| |WILEY-BLACKWELL PUBLISHING +4461|Dialogue-Canadian Philosophical Review| |0012-2173|Quarterly| |CAMBRIDGE UNIV PRESS +4462|Dialysis & Transplantation|Clinical Medicine / Kidneys; Hemodialysis; Kidney Transplantation; Kidney, Artificial; Renal Dialysis; Hemodialyse; Niertransplantatie|0090-2934|Monthly| |JOHN WILEY & SONS INC +4463|Diamond and Related Materials|Materials Science / Diamonds; Diamonds, Industrial; Diamonds, Artificial|0925-9635|Bimonthly| |ELSEVIER SCIENCE SA +4464|Diasporas-Histoire et Societes| |1637-5823|Semiannual| |PRESSES UNIV MIRAIL +4465|Diatom Research|Plant & Animal Science|0269-249X|Semiannual| |BIOPRESS LIMITED +4466|Dickens Quarterly| |0742-5473|Quarterly| |DICKENS SOC +4467|Dickensian| |0012-2440|Tri-annual| |DICKENS FELLOWSHIP +4468|Didactica Slovenica-Pedagoska Obzorja|Social Sciences, general|0353-1392|Tri-annual| |DRUSTVO PEDAGOSKIH DELAVCEV DOLENJSKE +4469|Difangbing Tongbao| |1000-3711|Quarterly| |CHINA INT BOOK TRADING CORP +4470|Differences-A Journal of Feminist Cultural Studies|Social Sciences, general / Women; Feminism; Feminist criticism; Feminisme; Cultuur|1040-7391|Tri-annual| |DUKE UNIV PRESS +4471|Differential and Integral Equations| |0893-4983|Monthly| |KHAYYAM PUBL CO INC +4472|Differential Equations|Mathematics / Differential equations; Differentiaalvergelijkingen; Équations différentielles|0012-2661|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4473|Differential Geometry and its Applications|Mathematics / Geometry, Differential|0926-2245|Bimonthly| |ELSEVIER SCIENCE BV +4474|Differentiation|Molecular Biology & Genetics / Cytology; Cell differentiation; Cell Differentiation|0301-4681|Monthly| |ELSEVIER SCI LTD +4475|Digest Journal of Nanomaterials and Biostructures|Materials Science|1842-3582|Quarterly| |INST MATERIALS PHYSICS +4476|Digestion|Clinical Medicine / Digestion; Gastroenterology; Gastro-enterologie|0012-2823|Bimonthly| |KARGER +4477|Digestive and Liver Disease|Clinical Medicine / Digestive organs; Liver; Digestive System Diseases; Liver Diseases; Leverziekten; Spijsverteringsstoornissen|1590-8658|Monthly| |ELSEVIER SCIENCE INC +4478|Digestive Disease Week Abstracts and Itinerary Planner| | |Annual| |DIGESTIVE DISEASE WEEK-DDW +4479|Digestive Diseases|Clinical Medicine / Digestive organs; Digestive System Diseases; Appareil digestif|0257-2753|Bimonthly| |KARGER +4480|Digestive Diseases and Sciences|Clinical Medicine / Nutrition; Digestive organs; Gastroenterology; Spijsvertering; Gastroentérologie|0163-2116|Monthly| |SPRINGER +4481|Digestive Endoscopy|Clinical Medicine / Digestive organs; Endoscopy; Digestive System Diseases|0915-5635|Quarterly| |WILEY-BLACKWELL PUBLISHING +4482|Digestive Surgery|Clinical Medicine / Digestive organs; Gastrointestinal system; Digestive System Surgical Procedures|0253-4886|Bimonthly| |KARGER +4483|Digital Creativity|Computer Science / Computer-aided design; Computer-assisted instruction; Artificial intelligence; Educational technology; Intelligent tutoring systems|1462-6268|Quarterly| |ROUTLEDGE JOURNALS +4484|Digital Investigation|Social Sciences, general / Forensic sciences; Criminal investigation|1742-2876|Quarterly| |ELSEVIER SCI LTD +4485|Digital Signal Processing|Engineering / Signal processing|1051-2004|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +4486|Diogenes|Philosophy; Humanities|0392-1921|Quarterly| |SAGE PUBLICATIONS LTD +4487|Diplomatic History|Buitenlandse betrekkingen|0145-2096|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4488|Diptera Data Dissemination Disk| |1521-0014|Annual| |NORTH AMER DIPTERISTS SOC +4489|Dipterists Digest Second Series| | |Semiannual| |DIPTERISTS FORUM +4490|Dipterologica Bohemoslovaca| | |Irregular| |SLOVAK ENTOMOLOGICAL SOC +4491|Dipterological Research| |1021-1020|Quarterly| |DIPTEROLOGICAL RESEARCH +4492|Dipteron-Wroclaw| |1895-4464|Annual| |POLISH ENTOMOLOGICAL SOC DIPTEROLOGICAL SECTION +4493|Dirasat Agricultural Sciences| |1026-3764|Tri-annual| |UNIV JORDAN +4494|Dirasat-Medical and Biological Sciences| |1026-3772|Tri-annual| |UNIV JORDAN +4495|Dirasat-Pure Sciences| |1560-456X|Semiannual| |UNIV JORDAN +4496|Disability & Society|Social Sciences, general / People with disabilities; Special education; Rehabilitation; Gehandicapten; Sociale aspecten; Handicapés; Handicapés, Services aux; Invalides; Invalides, Services aux|0968-7599|Bimonthly| |ROUTLEDGE JOURNALS +4497|Disability and Rehabilitation|Social Sciences, general / Medical rehabilitation; People with disabilities; Disability studies; Disabled Persons; Rehabilitation; Fysiotherapie; Revalidatie; Handicapés; Réadaptation|0963-8288|Semimonthly| |TAYLOR & FRANCIS LTD +4498|Disaster Advances|Geosciences|0974-262X|Quarterly| |DISASTER ADVANCES +4499|Disaster Medicine and Public Health Preparedness|Social Sciences, general / Emergency management; Public health; Disasters; Public Health|1935-7893|Quarterly| |AMER MEDICAL ASSOC +4500|Disaster Prevention and Management|Emergency management; Disaster relief / Emergency management; Disaster relief|0965-3562|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +4501|Disasters|Social Sciences, general / Disasters; Disaster relief|0361-3666|Quarterly| |WILEY-BLACKWELL PUBLISHING +4502|Discourse & Communication|Social Sciences, general / Communication; Discourse analysis / Communication; Discourse analysis|1750-4813|Quarterly| |SAGE PUBLICATIONS INC +4503|Discourse & Society|Social Sciences, general / Discourse analysis; Communication; Communicatie; Analyse du discours / Discourse analysis; Communication; Communicatie; Analyse du discours|0957-9265|Bimonthly| |SAGE PUBLICATIONS LTD +4504|Discourse Processes|Psychiatry/Psychology / Discourse analysis|0163-853X|Bimonthly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +4505|Discourse Studies|Social Sciences, general / Discourse analysis|1461-4456|Quarterly| |SAGE PUBLICATIONS LTD +4506|Discover| |0274-7529|Monthly| |BUENA VISTA MAGAZINES INC +4507|Discovery and Innovation|Agricultural Sciences|1015-079X|Semiannual| |ACAD SCIENCE PUBLISHERS +4508|Discrete & Computational Geometry|Engineering / Geometry; Géométrie discrète; Géométrie / Geometry; Géométrie discrète; Géométrie|0179-5376|Bimonthly| |SPRINGER +4509|Discrete and Continuous Dynamical Systems|Mathematics / Differentiable dynamical systems|1078-0947|Bimonthly| |AMER INST MATHEMATICAL SCIENCES +4510|Discrete and Continuous Dynamical Systems-Series B|Mathematics / Dynamics|1531-3492|Bimonthly| |AMER INST MATHEMATICAL SCIENCES +4511|Discrete Applied Mathematics|Engineering / Mathematics; Combinatorial analysis|0166-218X|Monthly| |ELSEVIER SCIENCE BV +4512|Discrete Dynamics in Nature and Society|Social Sciences, general / System analysis; Dynamics; Chaotic behavior in systems; Differentiable dynamical systems|1026-0226|Quarterly| |HINDAWI PUBLISHING CORPORATION +4513|Discrete Event Dynamic Systems-Theory and Applications|Engineering / Adaptive control systems; Discrete-time systems; Systeemanalyse; Discrete gebeurtenissen; Dynamische systemen; Systèmes adaptatifs; Systèmes échantillonnés / Adaptive control systems; Discrete-time systems; Systeemanalyse; Discrete gebeurte|0924-6703|Quarterly| |SPRINGER +4514|Discrete Mathematics|Mathematics / Computer science; Numerieke wiskunde|0012-365X|Semimonthly| |ELSEVIER SCIENCE BV +4515|Discrete Mathematics and Theoretical Computer Science|Mathematics|1365-8050|Quarterly| |DISCRETE MATHEMATICS THEORETICAL COMPUTER SCIENCE +4516|Discrete Optimization|Mathematics / Mathematical optimization; Integer programming|1572-5286|Quarterly| |ELSEVIER SCIENCE BV +4517|Disease Markers|Clinical Medicine|0278-0240|Bimonthly| |IOS PRESS +4518|Disease Models & Mechanisms|Biology & Biochemistry /|1754-8403|Monthly| |COMPANY OF BIOLOGISTS LTD +4519|Diseases of Aquatic Organisms|Plant & Animal Science / Marine animals; Marine fishes; Marine biology; Water; Animal Diseases; Marine Biology; Water Microbiology; Organismes aquatiques|0177-5103|Monthly|http://www.int-res.com/journals/dao/dao-home/|INTER-RESEARCH +4520|Diseases of the Colon & Rectum|Clinical Medicine / Colon (Anatomy); Rectum; Colonic Diseases; Colorectal Surgery; Darmziekten; Endeldarm; Proctologie|0012-3706|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +4521|Diseases of the Esophagus|Clinical Medicine /|1120-8694|Quarterly| |WILEY-BLACKWELL PUBLISHING +4522|Diseases of the Nervous System| |0012-3714|Monthly| |PHYSICIANS POSTGRADUATE PRESS +4523|Disegnare Idee Immagini-Ideas Images| |1123-9247|Semiannual| |GANGEMI EDITORE SPA +4524|Disiji Yanjiu| |1001-7410|Quarterly| |INST GEOL & GEOPHYS +4525|Disp|Social Sciences, general|0251-3625|Quarterly| |NSP-NETZWERK STADT UND LANDSCHAFT +4526|Displays|Computer Science / Information display systems|0141-9382|Bimonthly| |ELSEVIER SCIENCE BV +4527|Dissent|Social Sciences, general /|0012-3846|Quarterly| |FOUNDATION STUDY INDEPENDENT SOCIAL IDEAS +4528|Dissertationes Mathematicae|Mathematics / Mathematics; Wiskunde|0012-3862|Bimonthly| |POLISH ACAD SCIENCES INST MATHEMATICS +4529|Dissolution Technologies|Pharmacology & Toxicology|1521-298X|Quarterly| |DISSOLUTION TECHNOLOGIES +4530|Distance Education|Social Sciences, general / Distance education; University extension; Correspondence schools and courses|0158-7919|Tri-annual| |ROUTLEDGE JOURNALS +4531|Distributed and Parallel Databases|Computer Science / Distributed databases; Parallel processing (Electronic computers)|0926-8782|Bimonthly| |SPRINGER +4532|Distributed Computing|Computer Science / Electronic data processing|0178-2770|Quarterly| |SPRINGER +4533|Distribution Maps of Plant Pests| |1369-104X|Irregular| |CABI PUBLISHING +4534|Diversity and Distributions|Environment/Ecology / Biodiversity; Biodiversity conservation; Biodiversiteit; Invasie (biologie); Biodiversité|1366-9516|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4535|Diving and Hyperbaric Medicine|Clinical Medicine|1833-3516|Quarterly| |SOUTH PACIFIC UNDERWATER MED SOC +4536|Divulgacoes Do Museu de Ciencias E Technologia-Ubea/pucrs| |0104-6969|Annual| |MUSEU CIENCIAS TECNOLOGIA PUCRS +4537|Dix-septième siècle|Seventeenth century; Geschiedenis; Dix-septième siècle|0012-4273|Quarterly| |SOC ETUD 17 SIECLE +4538|Dixue Qianyuan| |1005-2321|Quarterly| |CHINA UNIV GEOSCIENCES +4539|Dizhi Kexue| |0563-5020|Quarterly| |SCIENCE CHINA PRESS +4540|Dizhi Tongbao| |1671-2552|Monthly| |GEOLOGICAL BULLETIN CHINA +4541|Dizhi Xuebao| |0001-5717|Quarterly| |SCIENCE PRESS +4542|Dkg Journal| |0179-4957|Bimonthly| |DEUTSCHE KILLIFISCH GEMEINSCHAFT E V +4543|Dm Disease-A-Month|Clinical Medicine / Medicine|0011-5029|Monthly| |MOSBY-ELSEVIER +4544|DNA and Cell Biology|Molecular Biology & Genetics / DNA; Cytology; Genes; Genetic Techniques; Nucleic Acids|1044-5498|Monthly| |MARY ANN LIEBERT INC +4545|DNA Repair|Molecular Biology & Genetics / DNA repair; DNA Repair|1568-7864|Monthly| |ELSEVIER SCIENCE BV +4546|DNA Research|Molecular Biology & Genetics / Genes; Genomes; Genomics; DNA; Genome; Sequence Analysis, DNA|1340-2838|Bimonthly| |OXFORD UNIV PRESS +4547|Doc Science Internal Series| |1175-6519|Irregular| |DEPARTMENT CONSERVATION +4548|Documenta Archaeobiologiae| | |Annual| |VERLAG MARIE LEIDORF GMBH +4549|Documenta Mathematica|Mathematics|1431-0643|Irregular| |UNIV BIELEFELD +4550|Documenta Naturae| |0723-8428|Irregular| |PALAEO-BAVARIAN GEOLOGICAL SURVEY +4551|Documenta Ophthalmologica|Clinical Medicine / Ophthalmology; Oogheelkunde|0012-4486|Bimonthly| |SPRINGER +4552|Documentos Tecnicos Departamento de Oceanografia Fundacao Universidade Federal Do Rio Grande| |0101-7748|Irregular| |FUNDACAO UNIV RIO GRANDE-FURG +4553|Documents des Laboratoires de Geologie Lyon| |0750-6635|Irregular| |UNIV CLAUDE BERNARD-LYON I +4554|Dokkyo Journal of Medical Sciences| |0385-5023|Quarterly| |DOKKYO MEDICAL SOC +4555|Doklady Akademii Nauk|Multidisciplinary|0869-5652|Biweekly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4556|Doklady Akademii Nauk Respubliki Uzbekistan| |1019-8954|Monthly| |FAN PUBL HOUSE +4557|Doklady Biochemistry and Biophysics|Biology & Biochemistry / Biochemistry; Biophysics; Molecular biology|1607-6729|Bimonthly| |SPRINGER +4558|Doklady Chemistry|Chemistry / Chemistry|0012-5008|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4559|Doklady Earth Sciences|Geosciences / Earth sciences; Geology|1028-334X|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4560|Doklady Mathematics|Mathematics / Mathematics; Wiskunde; Mathématiques|1064-5624|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4561|Doklady Natsional Noi Akademii Nauk Respubliki Kazakhstan| |1025-9120|Bimonthly| |NATSIONALNOI AKAD NAUK RESPUBLIKI KAZAKSTAN +4562|Doklady Natsionalnoi Akademii Nauk Armenii| |1026-6496|Quarterly| |IZDATEL STVO NATSIONAL NOI AKAD NAUK ARMENII +4563|Doklady Natsionalnoi Akademii Nauk Belarusi| |1561-8323|Bimonthly| |BELARUSKAYA NAVUKA +4564|Doklady Physical Chemistry|Chemistry / Chemistry, Physical and theoretical|0012-5016|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4565|Doklady Physics|Physics / Physics|1028-3358|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +4566|Doklady Rossiiskoi Akademii Selskokhozyaistvennykh Nauk| |0869-6128|Bimonthly| |ROSSIISKAYA AKAD SEL SKOKHOZYAISTVENNYKH NAUK +4567|Domestic Animal Endocrinology|Plant & Animal Science / Veterinary endocrinology; Endocrinology; Animals, Domestic|0739-7240|Bimonthly| |ELSEVIER SCIENCE INC +4568|Doriana| |0417-9927|Irregular| |MUSEO CIVICO STORIA NATURALE GIACOMO DORIA +4569|Dortmunder Beitraege zur Landeskunde| |0340-3947|Irregular| |MUSEUM NATURKUNDE STADT DORTMUND +4570|Dose-Response|Pharmacology & Toxicology /|1559-3258|Quarterly| |INT DOSE-RESPONSE SOC +4571|Douleur et Analgésie|Clinical Medicine / Pain; Analgesia|1011-288X|Quarterly| |SPRINGER +4572|Down Beat| |0012-5768|Monthly| |MAHER PUBL INC +4573|Draco| |1439-8168|Quarterly| |NATUR TIER - VERLAG +4574|Dragonfly News| |1752-2633|Semiannual| |BRITISH DRAGONFLY SOC +4575|Drewno| |1644-3985|Semiannual| |INST TECHNOL DREWNA +4576|Drosera| |0341-406X|Semiannual| |STAATLICHES MUSEUM FUER NATURKUNDE UND VORGESCHICHTE OLDENBURG +4577|Drosophila Information Service| |0070-7333|Irregular| |DROSOPHILA INFORMATION SERVICE +4578|Drug and Alcohol Dependence|Neuroscience & Behavior / Drug abuse; Alcoholism; Substance-Related Disorders; Alcoolisme; Médicaments; Toxicomanie|0376-8716|Monthly| |ELSEVIER IRELAND LTD +4579|Drug and Alcohol Review|Social Sciences, general / Alcohol Drinking; Alcoholism; Substance-Related Disorders / Alcohol Drinking; Alcoholism; Substance-Related Disorders|0959-5236|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4580|Drug and Chemical Toxicology|Pharmacology & Toxicology / Carcinogens; Mutagens; Teratogens; Toxicology; Drugs; Toxicology, Experimental; Drug Toxicity|0148-0545|Quarterly| |TAYLOR & FRANCIS INC +4581|Drug and Therapeutics Bulletin|Drugs; Therapeutics; Pharmacology; Chimiothérapie; Médicaments; Drug Therapy; Pharmaceutical Preparations|0012-6543|Monthly| |B M J PUBLISHING GROUP +4582|Drug Benefit Trends| |1080-5826|Monthly| |CLIGGOTT PUBLISHING CO +4583|Drug Delivery|Biology & Biochemistry / Drug delivery systems; Drug targeting; Drug Administration Routes; Drug Delivery Systems; Drug Evaluation; Pharmaceutical Preparations; Geneesmiddelen; Toediening; Geneesmiddelentransport|1071-7544|Bimonthly| |TAYLOR & FRANCIS INC +4584|Drug Design and Discovery|Pharmaceutical chemistry; Chemistry, Pharmaceutical; Drug Design; Drug Evaluation|1055-9612|Irregular| |TAYLOR & FRANCIS INC +4585|Drug Development and Industrial Pharmacy|Pharmacology & Toxicology / Pharmaceutical chemistry; Pharmaceutical industry; Drug Industry; Technology, Pharmaceutical|0363-9045|Monthly| |TAYLOR & FRANCIS INC +4586|Drug Development Research|Pharmacology & Toxicology / Drug development; Drugs; Pharmaceutical Preparations|0272-4391|Bimonthly| |WILEY-LISS +4587|Drug Discovery Today|Pharmacology & Toxicology / Drugs; Drug Design; Technology, Pharmaceutical|1359-6446|Semimonthly| |ELSEVIER SCI LTD +4588|Drug Information Journal|Pharmacology & Toxicology|0092-8615|Quarterly| |DRUG INFORMATION ASSOC +4589|Drug Metabolism and Disposition|Pharmacology & Toxicology / Drugs; Pharmaceutical Preparations|0090-9556|Monthly| |AMER SOC PHARMACOLOGY EXPERIMENTAL THERAPEUTICS +4590|Drug Metabolism and Drug Interactions| |0792-5077|Quarterly| |FREUND PUBLISHING HOUSE LTD +4591|Drug Metabolism and Pharmacokinetics|Pharmacology & Toxicology / Drugs; Pharmacokinetics; Pharmaceutical Preparations|1347-4367|Bimonthly| |JAP SOC STUDY XENOBIOTICS +4592|Drug Metabolism Reviews|Pharmacology & Toxicology / Drugs; Pharmacokinetics; Pharmaceutical Preparations; Farmacologie; Geneesmiddelen; Stofwisseling; Farmacie|0360-2532|Quarterly| |TAYLOR & FRANCIS INC +4593|Drug News & Perspectives|Biology & Biochemistry / Pharmaceutical Preparations|0214-0934|Monthly| |PROUS SCIENCE +4594|Drug R&d Backgrounders| |1578-2034|Bimonthly| |PROUS SCIENCE +4595|Drug Resistance Updates|Pharmacology & Toxicology / Drug resistance in microorganisms; Drug resistance in cancer cells; Anti-Infective Agents; Antineoplastic Agents; Drug Resistance; Communicable Diseases; Neoplasms; Chemotherapie; Geneesmiddelenresistentie|1368-7646|Bimonthly| |CHURCHILL LIVINGSTONE +4596|Drug Safety|Clinical Medicine / Pharmacoepidemiology; Drugs; Toxicology; Pharmaceutical Preparations; Geneesmiddelen; Toxicologie; Médicaments|0114-5916|Monthly| |ADIS INT LTD +4597|Drug Testing and Analysis|Pharmacology & Toxicology /|1942-7603|Bimonthly| |JOHN WILEY & SONS LTD +4598|Drug Topics| |0012-6616|Semimonthly| |MEDICAL ECONOMICS +4599|Drugs|Pharmacology & Toxicology / Drugs; Drug Therapy; Pharmaceutical Preparations; Farmacologie; Médicaments|0012-6667|Monthly| |ADIS INT LTD +4600|Drugs & Aging|Pharmacology & Toxicology / Geriatric pharmacology; Pharmacologie gériatrique; Drug Therapy; Aged|1170-229X|Monthly| |ADIS INT LTD +4601|Drugs & Society|Drug abuse; Substance abuse; Social Problems; Street Drugs; Substance-Related Disorders|8756-8233|Quarterly| |HAWORTH PRESS INC +4602|Drugs & Therapy Perspectives|Chemotherapy; Drug Therapy; Pharmaceutical Preparations; Chimiothérapie|1172-0360|Monthly| |ADIS INT LTD +4603|Drugs Made in Germany| |0012-6683|Irregular| |ECV-EDITIO CANTOR VERLAG MEDIZIN NATURWISSENSCHAFTEN +4604|Drugs of the Future|Pharmacology & Toxicology / Drugs; Pharmacology|0377-8282|Monthly| |PROUS SCIENCE +4605|Drugs of Today|Clinical Medicine / Pharmacology|1699-3993|Monthly| |PROUS SCIENCE +4606|Drugs-Education Prevention and Policy|Social Sciences, general / Drug abuse; Health Education; Health Policy; Substance-Related Disorders|0968-7637|Quarterly| |TAYLOR & FRANCIS LTD +4607|Drustvena Istrazivanja|Social Sciences, general|1330-0288|Quarterly| |INST OF SOCIAL SCIENCES IVO PILAR +4608|Drvna Industrija|Materials Science|0012-6772|Quarterly| |ZAGREB UNIV +4609|Drying Technology|Chemistry / Drying; Séchage|0737-3937|Monthly| |TAYLOR & FRANCIS INC +4610|Du| |0012-6837|Monthly| |DU VERLAG +4611|Dugastella| |1577-3302|Annual| |RONCADELL +4612|Dugesiana| |1028-3420|Semiannual| |UNIV GUADALAJARA +4613|Duke Law Journal|Social Sciences, general / Law; Recht|0012-7086|Bimonthly| |DUKE UNIV +4614|Duke Mathematical Journal|Mathematics / Mathematics; Mathématiques; Wiskunde|0012-7094|Monthly| |DUKE UNIV PRESS +4615|Dunantuli Dolgozatok A Termeszettudomanyi Sorozat| |0139-0805|Irregular| |JANUS PANNONIUS MUZEUM +4616|Durban Museum Novitates| |0012-723X|Annual| |DURBAN NATURAL SCIENCE MUSEUM +4617|Dutch Birding| |0167-2878|Bimonthly| |DUTCH BIRDING ASSOC +4618|Dve Domovini-Two Homelands|Social Sciences, general|0353-6777|Semiannual| |INST SLOVENIAN EMIGRATION STUDIES ZRC SAZU +4619|Dyes and Pigments|Chemistry / Dyes and dyeing; Pigments|0143-7208|Monthly| |ELSEVIER SCI LTD +4620|Dyna|Engineering|0012-7361|Monthly| |FEDERACION ASOCIACIONES INGENIEROS INDUSTRIALES ESPANA +4621|Dyna-Colombia|Engineering|0012-7353|Tri-annual| |UNIV NAC COLOMBIA +4622|Dynamic Systems and Applications|Engineering|1056-2176|Quarterly| |DYNAMIC PUBLISHERS +4623|Dynamical Systems-An International Journal|Engineering / Stability; System analysis / Stability; System analysis / Stability; System analysis|1468-9367|Quarterly| |TAYLOR & FRANCIS LTD +4624|Dynamics of Atmospheres and Oceans|Geosciences / Ocean-atmosphere interaction; Fluid dynamics; Rotating masses of fluid|0377-0265|Quarterly| |ELSEVIER SCIENCE BV +4625|Dynamics of Partial Differential Equations|Mathematics|1548-159X|Quarterly| |INT PRESS BOSTON +4626|Dynamis|Social Sciences, general /|0211-9536|Annual| |EDITORIAL UNIV GRANADA +4627|Dyslexia|Social Sciences, general / Dyslexia|1076-9242|Quarterly| |JOHN WILEY & SONS LTD +4628|Dysphagia|Clinical Medicine / Deglutition disorders; Deglutition; Deglutition Disorders|0179-051X|Quarterly| |SPRINGER +4629|E & M Ekonomie A Management|Economics & Business|1212-3609|Quarterly| |TECHNICKA UNIV & LIBERCI +4630|E-Journal of Chemistry|Chemistry|0973-4945|Quarterly| |WWW PUBL PTE +4631|E-Polymers|Chemistry|1618-7229|Irregular| |EUROPEAN POLYMER FEDERATION +4632|E&mj-Engineering and Mining Journal|Geosciences|0095-8948|Irregular| |LOBOS SERVICES INC +4633|Ear and Hearing|Clinical Medicine / Hearing disorders; Audiology; Audition, Troubles de l'; Audiologie / Hearing disorders; Audiology; Audition, Troubles de l'; Audiologie|0196-0202|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4634|Early American Literature| |0012-8163|Tri-annual| |UNIV NORTH CAROLINA PRESS +4635|Early Childhood Research Quarterly|Social Sciences, general / Education, Preschool; Child Development; Child Psychology; Child, Preschool; Voorschools onderwijs; Éducation de la première enfance; Éducation préscolaire; Enfants d'âge préscolaire; Enfants; Puériculture|0885-2006|Quarterly| |ELSEVIER SCIENCE INC +4636|Early Education and Development|Social Sciences, general / Child development; Child psychology; Education, Preschool; Early childhood education; Enfants; Éducation préscolaire; Éducation de la première enfance; Child Care; Child Development; Child Psychology; Child, Preschool; Voorscho|1040-9289|Quarterly| |ROUTLEDGE JOURNALS +4637|Early Human Development|Clinical Medicine / Fetus; Neonatology; Prenatal influences; Child Development; Perinatology|0378-3782|Monthly| |ELSEVIER IRELAND LTD +4638|Early Intervention in Psychiatry|Psychiatry/Psychology / Psychiatry; Mental health; Mental illness; Mental Disorders|1751-7885|Quarterly| |WILEY-BLACKWELL PUBLISHING +4639|Early Modern Women-An Interdisciplinary Journal| |1933-0065|Annual| |UNIV MARYLAND-CTR RENAISSANCE & BAROQUE STUD +4640|Early Music|Music; Oude muziek; Musique; Musique ancienne|0306-1078|Quarterly| |OXFORD UNIV PRESS +4641|Early Music History|Music; Muziek; Musique; Musique ancienne|0261-1279|Annual| |CAMBRIDGE UNIV PRESS +4642|Early Popular Visual Culture|Cinematography; Visual communication; Image transmission; Photography; Popular culture; Entertainment events|1746-0654|Tri-annual| |ROUTLEDGE JOURNALS +4643|Earth and Environmental Science Transactions of the Royal Society of Edinburgh|Geosciences / Earth sciences; Environmental sciences|1755-6910|Quarterly| |ROYAL SOC EDINBURGH +4644|Earth and Planetary Science Letters|Geosciences / Geology; Astronomy|0012-821X|Semimonthly| |ELSEVIER SCIENCE BV +4645|Earth Interactions|Geosciences / Earth sciences|1087-3562|Irregular| |AMER METEOROLOGICAL SOC +4646|Earth Moon and Planets|Space Science / Planetology|0167-9295|Monthly| |SPRINGER +4647|Earth Planets and Space|Geosciences /|1343-8832|Monthly| |TERRA SCIENTIFIC PUBL CO +4648|Earth Science-Journal of China University of Geosciences| |1000-2383|Bimonthly| |CHINA UNIV GEOSCIENCES +4649|Earth Sciences History|Geosciences|0736-623X|Semiannual| |HISTORY EARTH SCIENCES SOC +4650|Earth Sciences Research Journal|Geosciences|1794-6190|Semiannual| |UNIV NACIONAL DE COLOMBIA +4651|Earth Surface Processes and Landforms|Geosciences / Geomorphology|0197-9337|Monthly| |JOHN WILEY & SONS LTD +4652|Earth-Science Reviews|Geosciences / Geology; Aardwetenschappen; Sciences de la terre; Géologie|0012-8252|Monthly| |ELSEVIER SCIENCE BV +4653|Earthquake Engineering & Structural Dynamics|Engineering / Structural dynamics; Earthquake engineering|0098-8847|Monthly| |JOHN WILEY & SONS LTD +4654|Earthquake Engineering and Engineering Vibration|Engineering / Earthquake engineering; Vibration|1671-3664|Quarterly| |SPRINGER +4655|Earthquake Spectra|Geosciences / Earthquake engineering|8755-2930|Quarterly| |EARTHQUAKE ENGINEERING RESEARCH INST +4656|Earthwise| |1176-1555|Irregular| |EARTHWISE +4657|East African Medical Journal|Clinical Medicine|0012-835X|Monthly| |KENYA MEDICAL ASSOC +4658|East European Jewish Affairs|Jews|1350-1674|Tri-annual| |ROUTLEDGE JOURNALS +4659|East European Politics and Societies|Social Sciences, general / /|0888-3254|Quarterly| |SAGE PUBLICATIONS INC +4660|East European Quarterly|Social Sciences, general|0012-8449|Quarterly| |EAST EUROPEAN QUARTERLY +4661|Eastern Buddhist| |0012-8708|Semiannual| |EASTERN BUDDHIST SOC +4662|Eastern European Countryside|Social Sciences, general|1232-8855|Annual| |WYDAWNICTWO UNIWERSYTETU MIKOLAJA KOPERNIKA +4663|Eastern European Economics|Economics & Business /|0012-8775|Quarterly| |M E SHARPE INC +4664|Eastern Mediterranean Health Journal| |1020-3397|Monthly| |WHO EASTERN MEDITERRANEAN REGIONAL OFFICE +4665|Eating and Weight Disorders-Studies on Anorexia Bulimia and Obesity|Clinical Medicine|1124-4909|Quarterly| |EDITRICE KURTIS S R L +4666|Eating Behaviors|Psychiatry/Psychology / Eating disorders; Compulsive eating; Obesity; Eating Disorders; Feeding Behavior; Voedingsgewoonten|1471-0153|Quarterly| |ELSEVIER SCIENCE BV +4667|Ecclesiastical Law Journal|Ecclesiastical law|0956-618X|Tri-annual| |CAMBRIDGE UNIV PRESS +4668|Echocardiography-A Journal of Cardiovascular Ultrasound and Allied Techniques|Clinical Medicine / Echocardiography|0742-2822|Monthly| |WILEY-BLACKWELL PUBLISHING +4669|Ecography|Environment/Ecology / Ecology|0906-7590|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4670|EcoHealth|Environment/Ecology / Environmental health; Ecosystem; Conservation of Natural Resources; Environmental Health|1612-9202|Quarterly| |SPRINGER +4671|Ecohydrology|Environment/Ecology /|1936-0584|Quarterly| |JOHN WILEY & SONS INC +4672|Ecohydrology & Hydrobiology| |1642-3593|Quarterly| |INT CENTRE ECOLOGY +4673|Ecologia| |0214-0896|Annual| |MINISTERIO MEDIO AMBIENTE +4674|Ecologia Aplicada| |1726-2216|Annual| |UNIV NACIONAL AGRARIA LA MOLINA +4675|Ecologia Austral| |0327-5477|Semiannual| |ASOCIACION ARGENTINA ECOLOGIA +4676|Ecologia En Bolivia| |1605-2528|Irregular| |UNIV MAYOR SAN ANDRES +4677|Ecologia Mediterranea| |0153-8756|Irregular| |INST MEDITERRANEEN ECOLOGIE PALEOECOLOGIE +4678|Ecological and Environmental Anthropology| |1554-2408|Semiannual| |UNIV GEORGIA +4679|Ecological Applications|Environment/Ecology / Ecology; Environmental protection; Biology, Economic; Conservation of Natural Resources; Biology; Ecologie; Toepassingen; Écologie|1051-0761|Bimonthly| |ECOLOGICAL SOC AMER +4680|Ecological Chemistry and Engineering S-Chemia I Inzynieria Ekologiczna S|Environment/Ecology|1898-6196|Quarterly| |SOC ECOLOGICAL CHEMISTRY & ENGINEERING +4681|Ecological Complexity|Environment/Ecology / Ecology; Ecologie|1476-945X|Quarterly| |ELSEVIER SCIENCE BV +4682|Ecological Economics|Economics & Business / Ecology; Environmental policy; Conservation of natural resources; Environnement; Conservation des ressources naturelles|0921-8009|Semimonthly| |ELSEVIER SCIENCE BV +4683|Ecological Engineering|Environment/Ecology / Ecological engineering|0925-8574|Monthly| |ELSEVIER SCIENCE BV +4684|Ecological Entomology|Plant & Animal Science / Insects; Entomology; Ecology; Entomologie; Milieu; Insectes|0307-6946|Quarterly| |WILEY-BLACKWELL PUBLISHING +4685|Ecological Indicators|Environment/Ecology / Environmental indicators; Environmental management; Indicators (Biology)|1470-160X|Quarterly| |ELSEVIER SCIENCE BV +4686|Ecological Informatics|Environment/Ecology / Ecology|1574-9541|Quarterly| |ELSEVIER SCIENCE BV +4687|Ecological Management & Restoration|Ecosystem management; Restoration ecology / Ecosystem management; Restoration ecology / Ecosystem management; Restoration ecology|1442-7001|Tri-annual| |WILEY-BLACKWELL PUBLISHING +4688|Ecological Modelling|Environment/Ecology / Ecology; Environmental protection|0304-3800|Semimonthly| |ELSEVIER SCIENCE BV +4689|Ecological Monographs|Environment/Ecology / Ecology; Ecologie; Écologie|0012-9615|Quarterly| |ECOLOGICAL SOC AMER +4690|Ecological Psychology|Psychiatry/Psychology / Environmental psychology; Behavior; Ecology; Environment; Psychology|1040-7413|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +4691|Ecological Questions| |1644-7298|Annual| |WYDAWNICTWO UNIWERSYTETU MIKOLAJA KOPERNIKA +4692|Ecological Research|Environment/Ecology / Ecology; Ecologie|0912-3814|Bimonthly| |SPRINGER TOKYO +4693|Ecological Restoration North America|Nature conservation; Restoration ecology|1543-4060|Quarterly| |UNIV WISCONSIN PRESS +4694|Ecological Society of America Annual Meeting Abstracts|Ecology; Societies; Écologie|0012-9623|Quarterly| |ECOLOGICAL SOC AMER +4695|Ecologie| |1259-5314|Irregular| |SOC FRANCAISE ECOLOGIE +4696|Ecology|Environment/Ecology / Ecology; Ecologie; Écologie|0012-9658|Monthly| |ECOLOGICAL SOC AMER +4697|Ecology and Civil Engineering| |1344-3755|Semiannual| |ECOLOGY CIVIL ENGINEERING SOC +4698|Ecology and Society|Environment/Ecology|1708-3087|Quarterly| |RESILIENCE ALLIANCE +4699|Ecology Environment & Conservation| |0971-765X|Quarterly| |ENVIRO MEDIA +4700|Ecology Law Quarterly|Social Sciences, general|0046-1121|Quarterly| |UNIV CALIFORNIA BERKELEY SCH LAW +4701|Ecology Letters|Environment/Ecology / Ecology; Ecologie|1461-023X|Monthly| |WILEY-BLACKWELL PUBLISHING +4702|Ecology of Food and Nutrition|Agricultural Sciences / Nutrition; Food; Ecology; Aliments|0367-0244|Bimonthly| |TAYLOR & FRANCIS INC +4703|Ecology Of Freshwater Fish|Plant & Animal Science / Freshwater fishes; Fisheries / Freshwater fishes; Fisheries|0906-6691|Quarterly| |WILEY-BLACKWELL PUBLISHING +4704|Econ Journal Watch|Economics & Business|1933-527X|Tri-annual| |INST SPONTANEOUS ORDER ECONOMICS +4705|Econometric Reviews|Economics & Business / Econometrics; Econometrie; Économétrie|0747-4938|Quarterly| |TAYLOR & FRANCIS INC +4706|Econometric Theory|Economics & Business / Econometrics; Econometrie|0266-4666|Bimonthly| |CAMBRIDGE UNIV PRESS +4707|Econometrica|Economics & Business / Economics; Economics, Mathematical; Econometrie; ECONOMETRICS; Économétrie; Mathématiques économiques; Économie politique|0012-9682|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4708|Econometrics Journal|Economics & Business / Econometrics; Économétrie; Économie politique|1368-4221|Tri-annual| |WILEY-BLACKWELL PUBLISHING +4709|Economia Chilena|Economics & Business|0717-3830|Tri-annual| |BANCO CENTRAL CHILE +4710|Economia Mexicana-Nueva Epoca|Economics & Business|1665-2045|Semiannual| |CENTRO DE INVESTIGACION Y DOCENCIA ECONOMICAS +4711|Economia Politica|Economics & Business|1120-2890|Tri-annual| |SOC ED IL MULINO +4712|Economic and Industrial Democracy|Economics & Business / Management|0143-831X|Quarterly| |SAGE PUBLICATIONS LTD +4713|Economic Botany|Plant & Animal Science / Botany, Economic; Agriculture; Botanique agricole|0013-0001|Quarterly| |SPRINGER +4714|Economic Computation and Economic Cybernetics Studies and Research| |0424-267X|Quarterly| |ACAD ECONOMIC STUDIES +4715|Economic Development and Cultural Change|Social Sciences, general / Economic policy; Social change|0013-0079|Quarterly| |UNIV CHICAGO PRESS +4716|Economic Development Quarterly|Economics & Business / Economic development; Développement économique; Économie politique|0891-2424|Quarterly| |SAGE PUBLICATIONS INC +4717|Economic Geography|Social Sciences, general / Economic geography; Economische geografie|0013-0095|Quarterly| |ECONOMIC GEOGRAPHY +4718|Economic Geology|Geosciences / Geology, Economic|0361-0128|Bimonthly| |SOC ECONOMIC GEOLOGISTS +4719|Economic History Review|Economics & Business / Economic history; Economische geschiedenis; Histoire économique|0013-0117|Quarterly| |WILEY-BLACKWELL PUBLISHING +4720|Economic History Review-First Series| |0013-0117|Quarterly| |WILEY-BLACKWELL PUBLISHING +4721|Economic Inquiry|Economics & Business / Economics; Economie; Économie politique|0095-2583|Quarterly| |WILEY-BLACKWELL PUBLISHING +4722|Economic Insect Fauna of China| | |Irregular| |SCIENCE PRESS +4723|Economic Journal|Economics & Business / Economics; Économie politique|0013-0133|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4724|Economic Modelling|Economics & Business / Econometric models; Economics|0264-9993|Quarterly| |ELSEVIER SCIENCE BV +4725|Economic Policy|Economics & Business / Economic policy|0266-4658|Semiannual| |WILEY-BLACKWELL PUBLISHING +4726|Economic Record|Economics & Business / Economie; Économie politique; ECONOMIC CONDITIONS; ECONOMICS; AUSTRALIA|0013-0249|Quarterly| |WILEY-BLACKWELL PUBLISHING +4727|Economic Systems Research|Economics & Business / Input-output analysis; Economics, Mathematical|0953-5314|Quarterly| |ROUTLEDGE JOURNALS +4728|Economic Theory|Economics & Business / Economics; Economie|0938-2259|Monthly| |SPRINGER +4729|Economica|Economics & Business / Economics|0013-0427|Quarterly| |WILEY-BLACKWELL PUBLISHING +4730|Economica-New Series| | |Quarterly| |WILEY-BLACKWELL PUBLISHING +4731|Economics & Human Biology|Economics & Business / Human biology; Biology; Anthropology; Economics; Socioeconomic Factors; Sociology, Medical; Fysische antropologie; Sociaal-economische aspecten|1570-677X|Tri-annual| |ELSEVIER SCIENCE BV +4732|Economics and Philosophy|Economics & Business / Economics; Philosophy; Economische filosofie; Économie politique; Philosophie|0266-2671|Semiannual| |CAMBRIDGE UNIV PRESS +4733|Economics Letters|Economics & Business / Economics|0165-1765|Monthly| |ELSEVIER SCIENCE SA +4734|Economics of Education Review|Social Sciences, general / Education; Onderwijs; Financiering; Éducation; Administration scolaire|0272-7757|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4735|Economics of Transition|Economics & Business / Capitalism|0967-0750|Quarterly| |WILEY-BLACKWELL PUBLISHING +4736|Economist-Netherlands|Economics & Business / Social sciences; Economics / Social sciences; Economics|0013-063X|Quarterly| |SPRINGER +4737|Economy and Society|Social Sciences, general / Economics; Social sciences|0308-5147|Quarterly| |ROUTLEDGE JOURNALS +4738|Econtent|Social Sciences, general|1525-2531|Bimonthly| |ONLINE INC +4739|Ecoscan| |0974-0376|Semiannual| |RANCHI UNIV +4740|Ecoscience|Environment/Ecology / Ecology; Écologie; Sciences naturelles|1195-6860|Quarterly| |UNIVERSITE LAVAL +4741|Ecosistemas| |1697-2473|Tri-annual| |ASOCIACION ESPANOLA ECOLOGIA TERRESTRE +4742|Ecosystem Management and Restoration Program Technical Note| | |Irregular| |US ARMY ENGINEER RESEARCH DEVELOPMENT CTR +4743|Ecosystems|Environment/Ecology / Biotic communities; Ecosystem management; Écosystèmes; Ecosystemen|1432-9840|Bimonthly| |SPRINGER +4744|Ecotoxicology|Environment/Ecology / Pollution; Toxicology; Ecosystem; Environmental Health; Environmental Pollutants; Environmental Pollution|0963-9292|Bimonthly| |SPRINGER +4745|Ecotoxicology and Environmental Safety|Environment/Ecology / Pollution; Environmental toxicology; Environmental protection; Environmental Exposure; Environmental Health; Environmental Pollutants; Toxicology; Polluants; Environnement; Milieuverontreiniging; Milieutoxicologie|0147-6513|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +4746|Ecotropica|Environment/Ecology|0949-3026|Semiannual| |SOC TROPICAL ECOLOGY +4747|Ecotropical Monographs| | |Irregular| |SOC TROPICAL ECOLOGY +4748|Ecotropicos| |1012-1692|Semiannual| |SOC VENEZOLANA ECOLOGIA-JUNTA DIRECTIVA +4749|Ecquid Novi-African Journalism Studies|Social Sciences, general / Press; Journalism; Journalistiek|0256-0054|Semiannual| |UNIV WISCONSIN PRESS +4750|Ecumenical Review| |0013-0796|Quarterly| |WILEY-BLACKWELL PUBLISHING +4751|Edaphologia| |0389-1445|Irregular| |JAPANESE SOC SOIL ZOOLOGY +4752|Edentata|Xenarthra; Wildlife conservation|1413-4411|Irregular| |CONSERVATION INT +4753|Edinburgh Journal of Botany|Botany; Botanique; Plantes|0960-4286|Tri-annual| |CAMBRIDGE UNIV PRESS +4754|Edn|Engineering|0012-7515|Semimonthly| |REED BUSINESS INFORMATION US +4755|Educacion Xx1|Social Sciences, general|1139-613X|Annual| |UNIV NACIONAL EDUCACION DISTANCIA +4756|Education| |0013-1172|Quarterly| |PROJECT INNOVATION +4757|Education and Training in Developmental Disabilities|Social Sciences, general|1547-0350|Quarterly| |COUNCIL EXCEPTIONAL CHILDREN +4758|Education and Urban Society|Social Sciences, general / Education, Urban; Onderwijs; Steden; Enseignement en milieu urbain|0013-1245|Quarterly| |CORWIN PRESS INC A SAGE PUBLICATIONS CO +4759|Education as Change|Social Sciences, general /|1682-3206|Semiannual| |UNIV JOHANNESBURG +4760|Educational Administration Quarterly|Social Sciences, general / School management and organization; Onderwijsmanagement; Éducation; Administration scolaire; Leadership éducationnel; Politique éducative|0013-161X|Bimonthly| |SAGE PUBLICATIONS INC +4761|Educational and Psychological Measurement|Psychiatry/Psychology / Educational tests and measurements; Psychological tests; Psychological Tests; Vocational Guidance / Educational tests and measurements; Psychological tests; Psychological Tests; Vocational Guidance|0013-1644|Bimonthly| |SAGE PUBLICATIONS INC +4762|Educational Evaluation and Policy Analysis|Social Sciences, general / Education; Onderwijsevaluatie; Éducation|0162-3737|Quarterly| |SAGE PUBLICATIONS INC +4763|Educational Gerontology|Social Sciences, general / Adult education; Older people; Aged; Geriatrics; Éducation des adultes; Personnes âgées|0360-1277|Monthly| |TAYLOR & FRANCIS INC +4764|Educational Leadership|Social Sciences, general|0013-1784|Bimonthly| |ASSOC SUPERVISION CURRICULUM DEVELOPMENT +4765|Educational Policy|Social Sciences, general / Education and state; Education; Onderwijsbeleid|0895-9048|Bimonthly| |CORWIN PRESS INC A SAGE PUBLICATIONS CO +4766|Educational Psychologist|Psychiatry/Psychology / Educational psychology; Psychology, Educational; Onderwijspsychologie; Psychopédagogie|0046-1520|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +4767|Educational Psychology|Psychiatry/Psychology / Educational psychology; Psychology, Educational; Onderwijspsychologie|0144-3410|Bimonthly| |ROUTLEDGE JOURNALS +4768|Educational Psychology Review|Psychiatry/Psychology / Educational psychology|1040-726X|Quarterly| |SPRINGER/PLENUM PUBLISHERS +4769|Educational Research|Social Sciences, general / Education|0013-1881|Tri-annual| |ROUTLEDGE JOURNALS +4770|Educational Research Bulletin| |1555-4023| | |BUREAU EDUCATIONAL RESEARCH +4771|Educational Review|Social Sciences, general / Education|0013-1911|Quarterly| |ROUTLEDGE JOURNALS +4772|Educational Studies|Social Sciences, general / Education|0305-5698|Tri-annual| |ROUTLEDGE JOURNALS +4773|Educational Technology & Society|Social Sciences, general|1436-4522|Quarterly| |IEEE COMPUTER SOC +4774|Ee-Evaluation Engineering|Engineering|0149-0370|Monthly| |NELSON PUBLISHING +4775|eEarth| |1815-381X|Irregular| |COPERNICUS GESELLSCHAFT MBH +4776|Eesti Looduseuurijate Seltsi Aastaraamat| |0135-2431|Irregular| |ESTONIAN NATURALISTS SOC +4777|Eesti Rakenduslingvistika Uhingu Aastaraamat|Social Sciences, general /|1736-2563|Annual| |ESTONIAN ASSOC APPL LINGUISTICS-EESTI RAKENDUSLINGVISTIKA UHING +4778|Efflatounia| |1110-8703|Annual| |CAIRO UNIV +4779|Ege Universitesi Ziraat Fakultesi Dergisi| |1018-8851|Tri-annual| |EGE UNIVERSITESI +4780|Egeszsegtudomany| |0013-2268|Irregular| |IFJUSAGI LAPKIADO VALLALAT +4781|Egitim Arastirmalari-Eurasian Journal of Educational Research|Social Sciences, general|1302-597X|Quarterly| |ANI YAYINCILIK +4782|Egitim Ve Bilim-Education and Science|Social Sciences, general|1300-1337|Quarterly| |TURKISH EDUCATION ASSOC +4783|Egretta| |0013-2373|Semiannual| |BIRD LIFE OESTERREICH +4784|Egyptian Academic Journal of Biological Sciences A Entomology| |1687-8809|Semiannual| |AIN SHAMS UNIV +4785|Egyptian Academic Journal of Biological Sciences B Zoology| |2090-0759|Semiannual| |AIN SHAMS UNIV +4786|Egyptian Journal of Aquatic Research| |1687-4285|Semiannual| |NATL INST OCEANOGRAPHY FISHERIES +4787|Egyptian Journal of Biological Pest Control|Agricultural Sciences|1110-1768|Semiannual| |EGYPTIAN SOC BIOLOGICAL CONTROL PESTS +4788|Egyptian Journal of Biology| |1110-6859|Annual| |UNIV NOTTINGHAM +4789|Egyptian Journal of Botany| |0375-9237|Semiannual| |NATL INFORMATION DOCUMENTATION CENT +4790|Egyptian Journal of Horticulture| |1110-0206|Tri-annual| |NATL INFORMATION DOCUMENTATION CENT +4791|Egyptian Journal of Microbiology| |0022-2704|Tri-annual| |NATL INFORMATION DOCUMENTATION CENT +4792|Egyptian Journal of Natural History| |1110-6867|Annual| |EGYPTIAN BRITISH BIOLOGICAL SOC +4793|Egyptian Journal of Pharmaceutical Sciences| |0301-5068|Bimonthly| |NATL INFORMATION DOCUMENTATION CENT +4794|Egyptian Journal of Soil Science| |0302-6701|Quarterly| |NATL INFORMATION DOCUMENTATION CENT +4795|Egyptian Journal of Veterinary Science| |1110-0222|Annual| |NATL INFORMATION DOCUMENTATION CENTRE +4796|Egyptian Journal of Zoology| |1110-6344|Semiannual| |ZOOLOGICAL SOC A R EGYPT +4797|Egyptian Medical Journal of the National Research Center| |1687-1278|Semiannual| |NATL INFORMATION DOCUMENTATION CENT +4798|Eidechse| |0945-5183|Semiannual| |DEUTSCHE GESELLSCHAFT HERPETOLOGIE TERRARIENKUNDE E V +4799|Eifac Occasional Paper| |0258-6096|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +4800|Eighteenth Century-Theory and Interpretation| |0193-5380|Tri-annual| |TEXAS TECH UNIV PRESS +4801|Eighteenth-Century Fiction|Fiction; Roman|0840-6286|Quarterly| |UNIV TORONTO PRESS INC +4802|Eighteenth-Century Life|Social history; Cultuurgeschiedenis|0098-2601|Tri-annual| |DUKE UNIV PRESS +4803|Eighteenth-Century Music|Music / Music|1478-5706|Semiannual| |CAMBRIDGE UNIV PRESS +4804|Eighteenth-Century Studies|Arts; Civilization, Modern|0013-2586|Quarterly| |JOHNS HOPKINS UNIV PRESS +4805|Eigse-A Journal of Irish Studies| |0013-2608|Annual| |NATL UNIV IRELAND +4806|Eikasmos-Quaderni Bolognesi Di Filologia Classica| |1121-8819|Annual| |PATRON EDITORE S R L +4807|Éire-Ireland| |0013-2683|Semiannual| |IRISH AMER CULTURAL INST +4808|Eisenack Catalog of Fossil Dinoflagellates New Series| | |Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +4809|EJC Supplements|Clinical Medicine / Cancer; Tumors; Neoplasms / Cancer; Tumors; Neoplasms|1359-6349|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +4810|Ejhp Practice|Pharmacology & Toxicology|1781-9989|Bimonthly| |PHARMA PUBLISHING & MEDIA EUROPE-PPM EUROPE +4811|Ejhp Science| |1781-7595|Quarterly| |PHARMA PUBLISHING & MEDIA EUROPE-PPM EUROPE +4812|Ejso|Clinical Medicine / Oncology; Cancer; Medical Oncology; Neoplasms; Oncologie; Chirurgie (geneeskunde); Tumeurs / Oncology; Cancer; Medical Oncology; Neoplasms; Oncologie; Chirurgie (geneeskunde); Tumeurs|0748-7983|Monthly| |ELSEVIER SCI LTD +4813|Eklem Hastaliklari Ve Cerrahisi-Joint Diseases and Related Surgery|Clinical Medicine|1305-8282|Tri-annual| |TURKISH JOINT DISEASES FOUNDATION +4814|Ekologia-Bratislava|Environment/Ecology|1335-342X|Quarterly| |SLOVAK ACADEMIC PRESS LTD +4815|Ekologija| |0235-7224|Quarterly| |LIETUVOS MOKSLU AKAD LEIDYKLA +4816|Ekologija I Zastita Na Zivotnata Sredina| |0354-2491|Semiannual| |MACEDONIAN ECOLOGICAL SOC +4817|Ekologiya Morya| |0203-4646|Quarterly| |NATIONAL ACAD SCIENCES UKRAINE +4818|Ekoloji|Environment/Ecology /|1300-1361|Quarterly| |DOKUZ EYLUL UNIV +4819|Ekonomicky Casopis|Economics & Business|0013-3035|Monthly| |SLOVAK ACADEMIC PRESS LTD +4820|Ekonomista|Economics & Business|0013-3205|Bimonthly| |WYDAWNICTWO KEY TEXT +4821|Ekonomska Istrazivanja-Economic Research|Economics & Business|1331-677X|Quarterly| |JURAJ DOBRILA UNIVERSITY PULA +4822|Eksploatacja I Niezawodnosc-Maintenance and Reliability|Engineering|1507-2711|Quarterly| |POLISH MAINTENANCE SOC +4823|Elaphe| |0943-2485|Quarterly| |DEUTSCHE GESELLSCHAFT HERPETOLOGIE TERRARIENKUNDE E V +4824|Elateridarium| |1802-4858|Annual| |ELATERIDAE COM +4825|Electoral Studies|Social Sciences, general / Elections; Voting|0261-3794|Quarterly| |ELSEVIER SCI LTD +4826|Electric Power Components and Systems|Engineering / Electric machinery; Elektriciteitsopwekking|1532-5008|Monthly| |TAYLOR & FRANCIS INC +4827|Electric Power Systems Research|Engineering / Electric power systems|0378-7796|Monthly| |ELSEVIER SCIENCE SA +4828|Electrical Engineering|Engineering / Electric engineering / Electric engineering|0948-7921|Bimonthly| |SPRINGER +4829|Electrical Engineering in Japan|Engineering / Electric engineering / Electric engineering|0424-7760|Semimonthly| |SCRIPTA TECHNICA-JOHN WILEY & SONS +4830|Electroanalysis|Engineering / Electrochemical analysis; Chemistry, Analytical; Electrochemistry|1040-0397|Monthly| |WILEY-V C H VERLAG GMBH +4831|Electroanalytical Chemistry| |0070-9778|Annual| |MARCEL DEKKER +4832|Electrochemical and Solid State Letters|Chemistry / Electronic apparatus and appliances; Solid state electronics; Electrochemistry; Électronique de l'état solide; Électronique; Électrochimie; Vastestoffysica; Elektrochemie|1099-0062|Monthly| |ELECTROCHEMICAL SOC INC +4833|Electrochemistry|Chemistry|1344-3542|Monthly| |ELECTROCHEMICAL SOC JAPAN +4834|Electrochemistry Communications|Chemistry / Electrochemistry|1388-2481|Monthly| |ELSEVIER SCIENCE INC +4835|Electrochimica Acta|Chemistry / Electrochemistry; Electrochemistry, Industrial|0013-4686|Biweekly| |PERGAMON-ELSEVIER SCIENCE LTD +4836|Electromagnetic Biology and Medicine|Biology & Biochemistry / Electrophysiology; Electromagnetic Fields; Radiation, Nonionizing|1536-8378|Quarterly| |INFORMA HEALTHCARE +4837|Electromagnetics|Engineering / Electromagnetism|0272-6343|Bimonthly| |TAYLOR & FRANCIS INC +4838|Electronic Business| |1097-4881|Monthly| |REED BUSINESS INFORMATION US +4839|Electronic Commerce Research and Applications|Economics & Business / Electronic commerce|1567-4223|Quarterly| |ELSEVIER SCIENCE BV +4840|Electronic Communications in Probability|Mathematics|1083-589X|Irregular| |UNIV WASHINGTON +4841|Electronic Journal of Biology| |1860-3122|Quarterly| |ELECTRONIC JOURNAL OF BIOLOGY +4842|Electronic Journal of Biotechnology|Biology & Biochemistry / Biotechnology; Bioengineering; Biotechnologie|0717-3458|Bimonthly| |UNIV CATOLICA DE VALPARAISO +4843|Electronic Journal of Combinatorics|Mathematics|1077-8926|Monthly| |ELECTRONIC JOURNAL OF COMBINATORICS +4844|Electronic Journal of Ichthyology| |1565-7396|Semiannual| |EUROPEAN ICHTHYOLOGICAL SOC +4845|Electronic Journal of Linear Algebra|Mathematics|1081-3810|Irregular| |INT LINEAR ALGEBRA SOC +4846|Electronic Journal of Natural Sciences| | | | |ARMENIAN ACAD SCIENCE +4847|Electronic Journal of Polish Agricultural Universities| |1505-0297|Semiannual| |WYDAWNICTWO AKAD ROLNICZEJ WE WROCLAWIU +4848|Electronic Journal of Probability|Mathematics|1083-6489|Irregular| |UNIV WASHINGTON +4849|Electronic Journal of Qualitative Theory of Differential Equations|Mathematics|1417-3875|Irregular| |UNIV SZEGED +4850|Electronic Library|Social Sciences, general / Libraries; Library science; Minicomputers; Microcomputers; Bibliothèques; Bibliothéconomie; Mini-ordinateurs; Micro-ordinateurs|0264-0473|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +4851|Electronic Materials Letters|Materials Science /|1738-8090|Quarterly| |KOREAN INST METALS MATERIALS +4852|Electronic Products Magazine|Engineering|0013-4953|Monthly| |HEARST BUSINESS COMMUNICATIONS INC +4853|Electronic Research Announcements in Mathematical Sciences|Mathematics /|1935-9179|Irregular| |AMER INST MATHEMATICAL SCIENCES +4854|Electronic Transactions on Numerical Analysis|Mathematics|1068-9613|Quarterly| |KENT STATE UNIVERSITY +4855|Electronics and Communications in Japan| |1942-9533|Monthly| |SCRIPTA TECHNICA-JOHN WILEY & SONS +4856|Electronics Information & Planning|Engineering|0304-9876|Monthly| |ELECTRONICS INFORMATION & PLANNING +4857|Electronics Letters|Engineering / Electronics; Électronique|0013-5194|Semimonthly| |INST ENGINEERING TECHNOLOGY-IET +4858|Electronics World|Engineering|1365-4675|Monthly| |NEXUS MEDIA COMMUNICATIONS LTD +4859|Electrophoresis|Chemistry / Electrophoresis|0173-0835|Semimonthly| |WILEY-V C H VERLAG GMBH +4860|Elektor| |1757-0875|Monthly| |ELEKTOR ELECTRONICS PUBLISHING-SEGMENT B V +4861|Elektronika Ir Elektrotechnika|Engineering|1392-1215|Bimonthly| |KAUNAS UNIV TECHNOLOGY +4862|Elektronische Aufsaetze der Biologischen Station Westliches Ruhrgebiet| | |Irregular| |BIOLOGISCHE STATION WESTLICHES RUHRGEBEIT +4863|Elelmiszervizsgalati Kozlemenyek|Agricultural Sciences|0422-9576|Quarterly| |ELELMISZERVIZSGALATI KOZLEMENYEK +4864|Elementary School Journal|Social Sciences, general / Education, Elementary|0013-5984|Bimonthly| |UNIV CHICAGO PRESS +4865|Elementary School Teacher|Education, Elementary|1545-5858|Monthly| |UNIV CHICAGO PRESS +4866|Elementary School Teacher and Course of Study|Education, Elementary|1545-5904|Monthly| |UNIV CHICAGO PRESS +4867|Elements|Geosciences / Mineralogy; Geochemistry; Petrology; Minéralogie; Géochimie; Pétrologie|1811-5209|Bimonthly| |MINERALOGICAL SOC AMER +4868|Elepaio| |0013-6069|Monthly| |HAWAII AUDUBON SOC +4869|ELH|English literature|0013-8304|Quarterly| |JOHNS HOPKINS UNIV PRESS +4870|Ellipsaria| | |Tri-annual| |FRESHWATER MOLLUSK CONSERVATION SOC +4871|Elytra| |0387-5733|Semiannual| |JAPANESE SOC COLEOPTEROLOGY +4872|Elytron-Barcelona| |0214-1353|Annual| |ASOCIACION EUROPEA COLEOPTEROLOGIA-AEC +4873|Embedded Systems Design| |1558-2493|Monthly| |EE TIMES GRP +4874|Embo Journal|Molecular Biology & Genetics / Molecular biology; Molecular Biology|0261-4189|Semimonthly| |NATURE PUBLISHING GROUP +4875|EMBO Molecular Medicine|Clinical Medicine /|1757-4676|Monthly| |WILEY-BLACKWELL PUBLISHING +4876|EMBO Reports|Molecular Biology & Genetics / Molecular biology; Molecular Biology; Biologie moléculaire; Moleculaire biologie / Molecular biology; Molecular Biology; Biologie moléculaire; Moleculaire biologie|1469-221X|Monthly| |NATURE PUBLISHING GROUP +4877|Emergency Medicine|Clinical Medicine /|0013-6654|Monthly| |QUADRANT HEALTHCOM INC +4878|Emergency Medicine Australasia|Clinical Medicine|1742-6731|Bimonthly| |WILEY-BLACKWELL PUBLISHING +4879|Emergency Medicine Clinics of North America|Clinical Medicine / Emergency medicine; Medical emergencies; Emergencies; Emergency Medicine|0733-8627|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +4880|Emergency Medicine Journal|Clinical Medicine / Emergency medicine; Emergency medical services; Emergency Medicine; Emergency Medical Services; Geneeskunde; Spoedgevallen|1472-0205|Monthly| |B M J PUBLISHING GROUP +4881|Emerging Infectious Diseases|Clinical Medicine / Epidemiology; Communicable diseases; Communicable Disease Control; Communicable Diseases|1080-6040|Monthly| |CENTERS DISEASE CONTROL +4882|Emerging Markets Finance and Trade|Economics & Business /|1540-496X|Bimonthly| |M E SHARPE INC +4883|Emerita| |0013-6662|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +4884|Emirates Bird Report| |1026-3608|Annual| |EMIRATES BIRD RECORDS COMMITTEE +4885|Emj-Engineering Management Journal|Engineering|1042-9247|Quarterly| |AMER SOC ENGINEERING MANAGEMENT +4886|Emotion|Psychiatry/Psychology / Emotions; Emoties|1528-3542|Quarterly| |AMER PSYCHOLOGICAL ASSOC +4887|Empirical Economics|Economics & Business / Economics; Econometrics; Économie politique; Économétrie|0377-7332|Quarterly| |PHYSICA-VERLAG GMBH & CO +4888|Empirical Software Engineering|Computer Science / Software engineering|1382-3256|Quarterly| |SPRINGER +4889|EMU|Plant & Animal Science / Ornithology; Birds; Vogels|0158-4197|Quarterly| |CSIRO PUBLISHING +4890|Encephale-Revue de Psychiatrie Clinique Biologique et Therapeutique|Neuroscience & Behavior / Neurology; Psychiatry; Psychopharmacology; Psychosomatic Medicine|0013-7006|Bimonthly| |MASSON EDITEUR +4891|Endangered Species Research| |1863-5407|Monthly|http://www.int-res.com/journals/esr/esr-home/|INTER-RESEARCH +4892|Endangered Species Update| |1081-3705|Bimonthly| |UNIV MICHIGAN +4893|Endeavour|Multidisciplinary / Science; Natuurwetenschappen; Techniek; Exacte wetenschappen|0160-9327|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +4894|Endins| |0211-2515|Irregular| |FEDERACIO BALEAR ESPELEOLOGIA +4895|Endless Collection Series| | |Irregular| |ENDLESS SCIENCE INFORMATION +4896|Endocrine|Biology & Biochemistry / Endocrinology; Endocrine Diseases; Endocrine Glands|0969-711X|Monthly| |HUMANA PRESS INC +4897|Endocrine Journal|Biology & Biochemistry / Endocrinology|0918-8959|Bimonthly| |JAPAN ENDOCRINE SOC +4898|Endocrine Metabolic & Immune Disorders-Drug Targets|Immunopharmacology; Endocrine glands; Metabolism; Drug delivery systems; Acquired Immunodeficiency Syndrome; Endocrine System Diseases; Metabolic Diseases; Drug Delivery Systems; Drug Design|1871-5303|Quarterly| |BENTHAM SCIENCE PUBL LTD +4899|Endocrine Pathology|Biology & Biochemistry / Endocrine glands; Endocrine Diseases|1046-3976|Quarterly| |HUMANA PRESS INC +4900|Endocrine Practice|Clinical Medicine /|1530-891X|Bimonthly| |AMER ASSOC CLIN ENDOCRINOL +4901|Endocrine Research|Biology & Biochemistry / Endocrinology, Experimental; Endocrinology; Research|0743-5800|Tri-annual| |TAYLOR & FRANCIS INC +4902|Endocrine Reviews|Biology & Biochemistry / Endocrinology; Endocrine glands; Endocrinologie; Glandes endocrines|0163-769X|Bimonthly| |ENDOCRINE SOC +4903|Endocrine-Related Cancer|Clinical Medicine / Endocrine Diseases; Hormones; Neoplastic Endocrine-Like Syndromes|1351-0088|Quarterly| |BIOSCIENTIFICA LTD +4904|Endocrinologist|Biology & Biochemistry / Endocrine glands; Endocrinology; Endocrine Diseases|1051-2144|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +4905|Endocrinology|Biology & Biochemistry / Endocrinology; Endocrinologie|0013-7227|Monthly| |ENDOCRINE SOC +4906|Endocrinology and Metabolism Clinics of North America|Biology & Biochemistry / Endocrinology; Metabolism; Endocrine glands|0889-8529|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +4907|Endokrynologia Polska|Clinical Medicine|0423-104X|Bimonthly| |VIA MEDICA +4908|Endoscopy|Clinical Medicine / Endoscopy|0013-726X|Monthly| |GEORG THIEME VERLAG KG +4909|Endoskopie heute|Clinical Medicine / Diagnostic Imaging; Endoscopy|0933-811X|Quarterly| |GEORG THIEME VERLAG KG +4910|Endothelium-Journal of Endothelial Cell Research|Endothelium|1062-3329|Bimonthly| |TAYLOR & FRANCIS INC +4911|Energies|Engineering /|1996-1073|Quarterly| |MDPI AG +4912|Energy|Engineering / Energy policy; Power resources|0360-5442|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +4913|Energy & Environmental Science|Environment/Ecology /|1754-5692|Monthly| |ROYAL SOC CHEMISTRY +4914|Energy & Fuels|Engineering / Fuel|0887-0624|Bimonthly| |AMER CHEMICAL SOC +4915|Energy and Buildings|Engineering / Buildings; Bouwkunde; Energiebesparing; Gebouwen|0378-7788|Bimonthly| |ELSEVIER SCIENCE SA +4916|Energy Conversion and Management|Engineering / Direct energy conversion|0196-8904|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4917|Energy Economics|Economics & Business / Energy policy; Power resources; Energie (exacte wetenschappen); Economische aspecten; Politique énergétique; Ressources énergétiques; ECONOMIC ASPECTS; ENERGY RESOURCES|0140-9883|Bimonthly| |ELSEVIER SCIENCE BV +4918|Energy Education Science and Technology Part A-Energy Science and Research|Social Sciences, general|1308-772X|Quarterly| |SILA SCIENCE +4919|Energy Education Science and Technology Part B-Social and Educational Studies|Social Sciences, general|1308-7711|Quarterly| |SILA SCIENCE +4920|Energy Exploration & Exploitation|Engineering / Power resources; Energy development|0144-5987|Bimonthly| |MULTI-SCIENCE PUBL CO LTD +4921|Energy Journal|Economics & Business|0195-6574|Quarterly| |INT ASSOC ENERGY ECONOMICS +4922|Energy Policy|Social Sciences, general / Energy policy|0301-4215|Monthly| |ELSEVIER SCI LTD +4923|Energy Sources Part A-Recovery Utilization and Environmental Effects|Power (Mechanics)|1556-7036|Quarterly| |TAYLOR & FRANCIS INC +4924|Energy Sources Part B-Economics Planning and Policy|Engineering|1556-7257|Quarterly| |TAYLOR & FRANCIS INC +4925|Enfermedades Emergentes|Clinical Medicine|1575-4723|Quarterly| |NEXUS MEDICA EDITORES +4926|Enfermedades Infecciosas y Microbiología Clínica|Microbiology / Communicable Diseases; Microbiology|0213-005X|Monthly| |EDICIONES DOYMA S A +4927|Engenharia Agrícola|Agricultural Sciences / Agricultural engineering|1809-4430|Tri-annual| |SOC BRASIL ENGENHARIA AGRICOLA +4928|Engenharia Sanitaria e Ambiental|Environment/Ecology / Sanitary engineering; Environmental engineering|1413-4152|Quarterly| |ASSOC BRASILEIRA ENGENHARIA SANITARIA AMBIENTAL +4929|Engineering Analysis with Boundary Elements|Engineering / Boundary element methods; Engineering mathematics|0955-7997|Monthly| |ELSEVIER SCI LTD +4930|Engineering Applications of Artificial Intelligence|Engineering / Engineering; Artificial intelligence; Expert systems (Computer science); Ingénierie; Intelligence artificielle; Systèmes experts (Informatique)|0952-1976|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4931|Engineering Applications of Computational Fluid Mechanics| |1994-2060|Quarterly| |HONG KONG POLYTECHNIC UNIV +4932|Engineering Computations|Engineering / Engineering design; Computer graphics / Engineering design; Computer graphics|0264-4401|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +4933|Engineering Failure Analysis|Engineering / System failures (Engineering); Fracture mechanics; Reliability (Engineering)|1350-6307|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4934|Engineering Fracture Mechanics|Engineering / Fracture mechanics|0013-7944|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +4935|Engineering Geology|Geosciences / Engineering geology|0013-7952|Monthly| |ELSEVIER SCIENCE BV +4936|Engineering in Life Sciences|Biology & Biochemistry / Bioengineering; Biotechnology; Biomedical Engineering; Microbiology|1618-0240|Bimonthly| |WILEY-V C H VERLAG GMBH +4937|Engineering Intelligent Systems for Electrical Engineering and Communications|Engineering|1472-8915|Quarterly| |C R L PUBLISHING LTD +4938|Engineering Journal-American Institute of Steel Construction Inc|Engineering|0013-8029|Quarterly| |AMER INST STEEL CONSTRUCTION +4939|Engineering Optimization|Engineering / Engineering design|0305-215X|Bimonthly| |TAYLOR & FRANCIS LTD +4940|Engineering Structures|Engineering / Structural engineering; Earthquake engineering; Wind-pressure|0141-0296|Monthly| |ELSEVIER SCI LTD +4941|Engineering With Computers|Computer Science / Engineering design; Computer-aided design|0177-0667|Quarterly| |SPRINGER +4942|English|English language; English literature; Engels; Letterkunde; Littérature anglaise|0013-8215|Tri-annual| |OXFORD UNIV PRESS +4943|English for Specific Purposes|Social Sciences, general / English language|0889-4906|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +4944|English Historical Review|History|0013-8266|Bimonthly| |OXFORD UNIV PRESS +4945|English in Australia|Social Sciences, general|0046-208X|Tri-annual| |AATE-AUSTRALIAN ASSOC TEACHING ENGLISH +4946|English Language & Linguistics|English language; Linguistics; Engels; Taalkunde|1360-6743|Tri-annual| |CAMBRIDGE UNIV PRESS +4947|English Language Notes| |0013-8282|Semiannual| |UNIV COLORADO +4948|English Literary Renaissance|English literature; Letterkunde; Engels; Renaissance; Littérature anglaise|0013-8312|Tri-annual| |WILEY-BLACKWELL PUBLISHING +4949|English Literature in Transition 1880-1920|English literature; American literature|0013-8339|Quarterly| |ENGLISH LITERATURE TRANSITION +4950|English Nature Research Reports| |0967-876X|Irregular| |NATURAL ENGLAND +4951|English Studies|English philology; English literature; Philologie anglaise; Littérature anglaise; Engels; Letterkunde; Taalwetenschap|0013-838X|Bimonthly| |ROUTLEDGE JOURNALS +4952|English Studies in Africa| |0013-8398|Semiannual| |TAYLOR & FRANCIS LTD +4953|English Studies in Canada| |0317-0802|Quarterly| |ENGLISH STUDIES IN CANADA +4954|English Teaching-Practice and Critique| |1175-8708|Tri-annual| |UNIV WAIKATO +4955|English World-Wide|English language; Engels; Taalvariatie|0172-8865|Tri-annual| |JOHN BENJAMINS PUBLISHING COMPANY +4956|Enriching Communications|Computer Science|1960-7652|Quarterly| |ALCATEL-LUCENT +4957|Ensaios E Ciencia| |1415-6938|Semiannual| |UNIV ANHANGUERA-UNIDERP +4958|Ensenanza de Las Ciencias| |0212-4521|Tri-annual| |UNIV AUTONOMA BARCELONA +4959|Ent-Ear Nose & Throat Journal|Clinical Medicine|0145-5613|Monthly| |VENDOME GROUP LLC +4960|Enterprise & Society|Economics & Business / Business; Business enterprises; Ondernemingen; Sociaal-economische geschiedenis|1467-2227|Quarterly| |OXFORD UNIV PRESS INC +4961|Enterprise Information Systems|Computer Science /|1751-7575|Quarterly| |TAYLOR & FRANCIS LTD +4962|Entomapeiron Neoentomology| |1974-1456|Irregular| |VITALI E GHIANDA S A S CASA EDITRICE +4963|Entomapeiron Paleoentomology| |1974-1464|Irregular| |VITALI E GHIANDA S A S CASA EDITRICE +4964|Entomo Helvetica| |1662-8500|Irregular| |ENTOMO HELVETICA +4965|Entomo Shirogane| | |Irregular| |TOKURANA-HAKKO-KAI +4966|Entomo-Info| |0777-8546|Irregular| |KONINKLIJKE ANTWERPSE VERENIGING VOOR ENTOMOLOGIE V Z W +4967|Entomo-Satsphingia| |1866-7384|Irregular| |DR RONALD BRECHLIN +4968|Entomofauna| |0250-4413|Irregular| |ENTOMOFAUNA +4969|Entomofauna Carpathica| |1335-1214|Quarterly| |SLOVENSKA ENTOMOLOGICKA SPOLOCNOST +4970|Entomologia Africana| |1371-7057|Semiannual| |SOC ENTOMOLOGIE AFRICAINE +4971|Entomologia Croatica| |1330-6200|Annual| |HRVATSKO ENTOMOLOSKO DRUSTVO +4972|Entomologia Experimentalis et Applicata|Plant & Animal Science / Entomology|0013-8703|Monthly| |WILEY-BLACKWELL PUBLISHING +4973|Entomologia Generalis|Plant & Animal Science|0171-8177|Quarterly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +4974|Entomologia Hellenica| |0254-5381|Annual| |HELLENIC ENTOMOLOGICAL SOC +4975|Entomologica Americana|Plant & Animal Science /|1947-5136|Quarterly| |NEW YORK ENTOMOLOGICAL SOC INC +4976|Entomologica Austriaca| |1681-0406|Irregular| |OESTERREICHISCHE ENTOMOLOGISCHE GESELLSCHAFT +4977|Entomologica Basiliensia| |0253-2484|Annual| |FONDS PRO ENTOMOLOGIA +4978|Entomologica Fennica|Plant & Animal Science|0785-8760|Quarterly| |ENTOMOLOGICA FENNICA +4979|Entomologica Romanica| |1224-2594|Annual| |ROMANIAN LEPIDOPTEROLOGICAL SOC +4980|Entomologica-Bari| |0425-1016|Annual| |IST ENTOMOLOGIA AGRARIA +4981|Entomological Monographs of Argania Editio| |1695-100X|Irregular| |ARGANIA +4982|Entomological News|Plant & Animal Science / Insects; Entomology; Entomologie|0013-872X|Bimonthly| |AMER ENTOMOL SOC +4983|Entomological Problems| |1335-5899|Semiannual| |INST ZOOLOGY +4984|Entomological Research|Insects; Entomology|1738-2297|Quarterly| |WILEY-BLACKWELL PUBLISHING +4985|Entomological Research Bulletin| |1015-9916|Annual| |KOREAN ENTOMOLOGICAL INST +4986|Entomological Review of Japan| |0286-9810|Semiannual| |JAPAN COLEOPTEROLOGICAL SOC +4987|Entomological Science|Plant & Animal Science / Insects; Entomology; Entomologie|1343-8786|Quarterly| |WILEY-BLACKWELL PUBLISHING +4988|Entomological Society of Canada Bulletin| |0071-0741|Quarterly| |ENTOMOL SOC CANADA +4989|Entomologicheskoe Obozrenie| |0367-1445|Quarterly| |SANKT-PETERBURGSKAYA IZDATEL SKAYA FIRMA RAN +4990|Entomologie Heute| |1613-0448|Annual| |LOBBECKE MUSEUM AQUAZOO +4991|Entomologische Berichten-Amsterdam| |0013-8827|Monthly| |NEDERLANDSE ENTOMOLOGISCHE VERENIGING +4992|Entomologische Blaetter fuer Biologie und Systematik der Kaefer| |0013-8835|Irregular| |GOECKE & EVERS +4993|Entomologische Mitteilungen aus dem Zoologischen Museum Hamburg| |0044-5223|Irregular| |ZOOLOGISCHES INST ZOOLOGISCHES MUSEUM UNIV HAMBURG +4994|Entomologische Mitteilungen Sachsen-Anhalt| | |Semiannual| |ENTOMOLOGEN-VEREINIGUNG SACHSEN-ANHALT E V +4995|Entomologische Nachrichten und Berichte| |0232-5535|Quarterly| |ENTOMOFAUNISTISCHE GESELLSCHAFT E V +4996|Entomologische Zeitschrift| |0013-8843|Bimonthly| |EUGEN ULMER GMBH CO +4997|Entomologisches Nachrichtenblatt| |1025-4870|Irregular| |ARBEITSGEMEINSCHAFT OESTERREICHISCHER ENTOMOLOGEN +4998|Entomologisk Tidskrift| |0013-886X|Tri-annual| |SVERIGES ENTOMOLOGISKA FORENING +4999|Entomologiske Meddelelser| |0013-8851|Semiannual| |ENTOMOLOGISK FORENING I KOBENHAVN +5000|Entomologiste-Paris| |0013-8886|Bimonthly| |L ENTOMOLOGISTE +5001|Entomologists Gazette| |0013-8894|Quarterly| |PEMBERLEY BOOKS -PUBLISHING +5002|Entomologists Monthly Magazine| |0013-8908|Quarterly| |PEMBERLEY BOOKS -PUBLISHING +5003|Entomologists Record and Journal of Variation| |0013-8916|Bimonthly| |ENTOMOLOGISTS RECORD +5004|Entomologo| |0122-5480|Irregular| |SOC COLOMBIANA ENTOMOLOGIA-SOCOLEN +5005|Entomon| |0377-9335|Quarterly| |ASSOC ADVANCEMENT ENTOMOLOGY +5006|Entomotaxonomia| |1000-7482|Quarterly| |ENTOMOTAXONOMIA PRESS +5007|Entomotropica| |1317-5262|Tri-annual| |SOC VENEZOLANA ENTOMOLOGIA +5008|Entrepreneurship and Regional Development|Economics & Business / Industrial promotion; Entrepreneurship; Regional planning / Industrial promotion; Entrepreneurship; Regional planning|0898-5626|Quarterly| |ROUTLEDGE JOURNALS +5009|Entrepreneurship Theory and Practice|Economics & Business / Small business; New business enterprises; Entrepreneurship; Petites et moyennes entreprises; Entrepreneuriat|1042-2587|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5010|Entropy|Physics /|1099-4300|Quarterly| |MDPI AG +5011|Environment|Environment/Ecology / Nuclear energy; Pollution; Environmental sciences; Sustainable development; Environmental policy|0013-9157|Monthly| |HELDREF PUBLICATIONS +5012|Environment and Behavior|Social Sciences, general / Human ecology; Omgevingspsychologie; Écologie humaine; Comportement; Influence du milieu; Psychologie de l'environnement; Relation homme-nature|0013-9165|Bimonthly| |SAGE PUBLICATIONS INC +5013|Environment and Development Economics|Economics & Business / Environmental economics; Sustainable development; Development economics; Environmental policy; ENVIRONMENTAL POLICY; ENVIRONMENTAL ECONOMICS; SUSTAINABLE DEVELOPMENT; ECONOMIC DEVELOPMENT; DEVELOPMENT|1355-770X|Quarterly| |CAMBRIDGE UNIV PRESS +5014|Environment and Ecology| |0970-0420|Quarterly| |ENVIRONMENT ECOLOGY +5015|Environment and History|Nature; Human beings; Human ecology; Milieuvraagstuk; Milieubeleid|0967-3407|Quarterly| |WHITE HORSE PRESS +5016|Environment and Planning A|Social Sciences, general / City planning; Regional planning|0308-518X|Monthly| |PION LTD +5017|Environment and Planning B-Planning & Design|Social Sciences, general / Architecture; Building; Land use; Ruimtelijke ordening|0265-8135|Bimonthly| |PION LTD +5018|Environment and Planning C-Government and Policy|Social Sciences, general / Policy sciences; Public administration|0263-774X|Bimonthly| |PION LTD +5019|Environment and Planning D-Society & Space|Social Sciences, general / Social sciences; Ruimtelijke ordening|0263-7758|Bimonthly| |PION LTD +5020|Environment and Urbanization|Social Sciences, general / Urban ecology; Sociology, Urban; Urbanization; Milieu; Urbanisatie|0956-2478|Semiannual| |SAGE PUBLICATIONS LTD +5021|Environment Conservation Journal| |0972-3099|Tri-annual| |ACTION SUSTAIN EFFIC DEVELOP AWARE +5022|Environment Control in Biology| |1880-554X|Quarterly| |JAPANESE SOC ENVIRONMENT CONTROL BIOLOGY +5023|Environment Development and Sustainability| |1387-585X|Quarterly| |SPRINGER +5024|Environment International|Environment/Ecology / Environmental protection; Environmental health; Environmental monitoring|0160-4120|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +5025|Environment Protection Engineering|Engineering|0324-8828|Quarterly| |TECHNICAL UNIV WROCLAW +5026|Environmental & Engineering Geoscience|Geosciences / Engineering geology|1078-7275|Quarterly| |GEOLOGICAL SOC AMER +5027|Environmental & Resource Economics|Economics & Business / Economic development; Natural resources; Environmental policy / Economic development; Natural resources; Environmental policy|0924-6460|Monthly| |SPRINGER +5028|Environmental and Ecological Statistics|Environment/Ecology / Environmental sciences; Ecology|1352-8505|Quarterly| |SPRINGER +5029|Environmental and Experimental Botany|Plant & Animal Science / Plant ecology; Botany, Experimental; Plants|0098-8472|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +5030|Environmental and Molecular Mutagenesis|Molecular Biology & Genetics / Chemical mutagenesis; Environmentally induced diseases; Molecular genetics; Environmental Pollutants; Mutagens; Mutation; Genetica; Mutagenesis; Ecologische aspecten|0893-6692|Bimonthly| |WILEY-LISS +5031|Environmental Archaeology|Environment/Ecology / Environmental archaeology; Animal remains (Archaeology); Plant remains (Archaeology); Paleo-ecologie; Archeologie; Archéologie de l'environnement; Archéozoologie; Restes de plantes (Archéologie); Paléoécologie|1461-4103|Irregular| |MANEY PUBLISHING +5032|Environmental Bioindicators|Indicators (Biology); Environmental monitoring|1555-5275|Quarterly| |TAYLOR & FRANCIS INC +5033|Environmental Biology of Fishes|Plant & Animal Science / Fishes; Vissen (dierkunde); Ecologie; Poissons; Ichtyologie|0378-1909|Monthly| |SPRINGER +5034|Environmental Biosafety Research|Organisms, Genetically Modified; Environmental Health; Public Health; Research; Safety|1635-7922|Quarterly| |EDP SCIENCES S A +5035|Environmental Chemistry|Environment/Ecology / Environmental chemistry; Chemistry; Environment; Environmental Pollutants; Environmental Pollution|1448-2517|Bimonthly| |CSIRO PUBLISHING +5036|Environmental Chemistry Letters|Chemistry / Environmental chemistry; Chemistry; Environmental Pollution; Environmental Health; Environmental Pollutants|1610-3653|Quarterly| |SPRINGER HEIDELBERG +5037|Environmental Communication-A Journal of Nature and Culture|Social Sciences, general / Communication in the environmental sciences|1752-4032|Quarterly| |ROUTLEDGE JOURNALS +5038|Environmental Conservation|Environment/Ecology / Environmental protection; Conservation of natural resources; Nature conservation; ENVIRONMENTAL PROTECTION; ENVIRONMENTAL DEGRADATION|0376-8929|Quarterly| |CAMBRIDGE UNIV PRESS +5039|Environmental Earth Sciences|Environment/Ecology /|1866-6280|Bimonthly| |SPRINGER +5040|Environmental Education Research|Social Sciences, general / Environmental education|1350-4622|Bimonthly| |ROUTLEDGE JOURNALS +5041|Environmental Engineering and Management Journal|Environment/Ecology|1582-9596|Bimonthly| |GH ASACHI TECHNICAL UNIV IASI +5042|Environmental Engineering Science|Engineering / Hazardous wastes; Hazardous substances; Environmental engineering; Environmental protection; Environmental Pollution; Hazardous Waste|1092-8758|Bimonthly| |MARY ANN LIEBERT INC +5043|Environmental Entomology|Plant & Animal Science / Beneficial insects; Insect pests; Entomology; Insecten; Ecologische aspecten; Insectes utiles; Insectes nuisibles, Lutte contre les|0046-225X|Bimonthly| |ENTOMOLOGICAL SOC AMER +5044|Environmental Ethics|Social Sciences, general|0163-4275|Quarterly| |ENVIRONMENTAL PHILOSOPHY INC +5045|Environmental Fluid Mechanics|Engineering / Fluid dynamics; Pollution|1567-7419|Bimonthly| |SPRINGER +5046|Environmental Forensics|Environment/Ecology / Environmental forensics|1527-5922|Quarterly| |TAYLOR & FRANCIS LTD +5047|Environmental Geochemistry and Health|Environment/Ecology / Mines and mineral resources; Environmental health; Environmental geochemistry; Environmental Health; Environmental Monitoring; Minerals|0269-4042|Quarterly| |SPRINGER +5048|Environmental Health|Environment/Ecology / Environmentally induced diseases; Epidemiology; Occupational diseases; Toxicology; Environmental Illness; Occupational Diseases / Environmentally induced diseases; Epidemiology; Occupational diseases; Toxicology; Environmental Illne|1476-069X|Irregular| |BIOMED CENTRAL LTD +5049|Environmental Health and Preventive Medicine|Environmental Health; Environmental Pollutants; Environmental Pollution; Primary Prevention|1342-078X|Bimonthly| |SPRINGER +5050|Environmental Health Perspectives|Environment/Ecology / Environmental health; Environmental toxicology; Environmental Health; Environment; Milieugezondheidskunde; Milieuverontreiniging; Gezondheid; Hygiène du milieu; Écotoxicologie|0091-6765|Monthly| |US DEPT HEALTH HUMAN SCIENCES PUBLIC HEALTH SCIENCE +5051|Environmental History|Social Sciences, general / Environmental policy; Milieu; Écologie humaine; Environnement; Conservation des ressources naturelles|1084-5453|Quarterly| |ENVIRONMENTAL HISTORY +5052|Environmental Impact Assessment Review|Environment/Ecology / Environmental impact analysis; Milieubescherming; Besluitvorming|0195-9255|Bimonthly| |ELSEVIER SCIENCE INC +5053|Environmental Management|Environment/Ecology / Environmental protection; Environnement|0364-152X|Monthly| |SPRINGER +5054|Environmental Medicine| |0287-0517|Annual| |NAGOYA UNIV +5055|Environmental Microbiology|Environment/Ecology / Microbial ecology; Environmental Microbiology|1462-2912|Monthly| |WILEY-BLACKWELL PUBLISHING +5056|Environmental Microbiology Reports| |1758-2229|Quarterly| |WILEY-BLACKWELL PUBLISHING +5057|Environmental Modeling & Assessment|Environment/Ecology / Environmental sciences; Environmental risk assessment / Environmental sciences; Environmental risk assessment|1420-2026|Quarterly| |SPRINGER +5058|Environmental Modelling & Software|Computer Science / Environmental monitoring; Digital computer simulation; Ecology / Environmental monitoring; Digital computer simulation; Ecology|1364-8152|Monthly| |ELSEVIER SCI LTD +5059|Environmental Monitoring and Assessment|Environment/Ecology / Environmental monitoring; Pollution; Environmental Pollutants; Environmental Pollution|0167-6369|Monthly| |SPRINGER +5060|Environmental Politics|Social Sciences, general / Environmental policy; Environmentalism|0964-4016|Bimonthly| |ROUTLEDGE JOURNALS +5061|Environmental Pollution|Environment/Ecology / Pollution; Environmental Pollution|0269-7491|Monthly| |ELSEVIER SCI LTD +5062|Environmental Progress & Sustainable Energy|Engineering /|1944-7442|Quarterly| |JOHN WILEY & SONS INC +5063|Environmental Research|Environment/Ecology / Environmental health; Environmental Health; Milieugezondheidskunde|0013-9351|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5064|Environmental Research Letters|Environment/Ecology /|1748-9326|Quarterly| |IOP PUBLISHING LTD +5065|Environmental Reviews|Environment/Ecology / Environmental sciences|1181-8700|Quarterly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +5066|Environmental Science & Policy|Environment/Ecology / Environmental policy; Environmental sciences|1462-9011|Bimonthly| |ELSEVIER SCI LTD +5067|Environmental Science & Technology|Environment/Ecology / Pollution; Sanitary chemistry; Environmental engineering; Environmental Health; Sanitation; Milieutechniek; Environnement, Technique de l'; Chimie sanitaire / Pollution; Sanitary chemistry; Environmental engineering; Environmental H|0013-936X|Semimonthly| |AMER CHEMICAL SOC +5068|Environmental Science and Pollution Research|Environment/Ecology / Environmental sciences; Pollution; Environmental Pollutants; Environmental Pollution|0944-1344|Bimonthly| |SPRINGER HEIDELBERG +5069|Environmental Sciences-Tokyo| |0915-955X|Bimonthly| |MYU K K +5070|Environmental Technology|Environment/Ecology / Environmental engineering; Environmental protection; Environmental Health; Environmental Pollution; Technology|0959-3330|Monthly| |TAYLOR & FRANCIS LTD +5071|Environmental Toxicology|Environment/Ecology / Water quality bioassay; Water; Microbiological assay; Toxicity testing; Environmental toxicology; Environmental Pollution; Environmental Monitoring; Environmental Pollutants|1520-4081|Bimonthly| |JOHN WILEY & SONS INC +5072|Environmental Toxicology and Chemistry|Environment/Ecology / Pollution; Environmental chemistry; Environmental Pollutants; Environmental Pollution; Toxicology|0730-7268|Monthly| |SETAC PRESS +5073|Environmental Toxicology and Pharmacology|Pharmacology & Toxicology / Environmental toxicology; Pharmacology; Environmental Pollutants; Drug Toxicity; Milieutoxicologie; Farmacologie|1382-6689|Bimonthly| |ELSEVIER SCIENCE BV +5074|Environmental Values|Social Sciences, general / Environmental policy|0963-2719|Quarterly| |WHITE HORSE PRESS +5075|Environmentalist|Environmental protection; Nature conservation; Milieuvraagstuk; Environnement; Nature|0251-1088|Quarterly| |SPRINGER +5076|Environmentasia| |1906-1714|Semiannual| |THAI SOC HIGHER EDUC INST ENVIRON +5077|Environmetrics|Environment/Ecology / Environmental sciences|1180-4009|Bimonthly| |JOHN WILEY & SONS LTD +5078|Environnement Risques & Sante|Social Sciences, general|1635-0421|Bimonthly| |JOHN LIBBEY EUROTEXT LTD +5079|Envis Bulletin Wildlife and Protected Areas| |0972-088X|Semiannual| |ENVIS CENTRE +5080|Enzyme and Microbial Technology|Biology & Biochemistry / Enzymes; Biotechnology; Microbiological Techniques; Microbiology; Technology|0141-0229|Monthly| |ELSEVIER SCIENCE INC +5081|Eos-Rivista Di Immunologia Ed Immunofarmacologia| |0392-6699|Quarterly| |SIGMA-TAU SPA +5082|Epe Journal|Engineering|0939-8368|Quarterly| |EPE ASSOC +5083|Ephe Biologie et Evolution des Insectes| |1257-5496|Irregular| |MUSEUM NAT HIST NATURELLE +5084|Ephemera| |1298-0595|Irregular| |INVFMR - OPIE-BENTHOS +5085|Ephemerides Theologicae Lovanienses| |0013-9513|Quarterly| |UNIV CATHOLIQUE LOUVAIN +5086|Epidemiologia & Prevenzione|Clinical Medicine|1120-9763|Bimonthly| |INFERENZE SCARL +5087|Epidemiologia E Psichiatria Sociale-An International Journal for Epidemiology and Psychiatric Sciences|Psychiatry/Psychology|1121-189X|Quarterly| |PENSIERO SCIENTIFICO EDITOR +5088|Epidemiologic Reviews|Clinical Medicine / Epidemiology|0193-936X|Annual| |OXFORD UNIV PRESS INC +5089|Epidemiologie Mikrobiologie Imunologie|Microbiology|1210-7913|Quarterly| |CESKA LEKARSKA SPOLECNOST J EV PURKYNE +5090|Epidemiology|Clinical Medicine / Epidemiology|1044-3983|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +5091|Epidemiology and Infection|Clinical Medicine / Communicable diseases; Infection; Epidemiology; Communicable Diseases; Infecties; Epidemiologie; Maladies infectieuses; Animaux|0950-2688|Bimonthly| |CAMBRIDGE UNIV PRESS +5092|Epigenetics|Molecular Biology & Genetics /|1559-2294|Quarterly| |LANDES BIOSCIENCE +5093|Epigenomics| |1750-1911|Bimonthly| |FUTURE MEDICINE LTD +5094|Epilepsia|Neuroscience & Behavior / Epilepsy|0013-9580|Monthly| |WILEY-BLACKWELL PUBLISHING +5095|Epilepsies|Clinical Medicine|1149-6576|Quarterly| |JOHN LIBBEY EUROTEXT LTD +5096|Epilepsy & Behavior|Clinical Medicine / Epilepsy; Behavior; Epilepsie; Gedrag|1525-5050|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5097|Epilepsy Currents|Epilepsy|1535-7597|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5098|Epilepsy Research|Neuroscience & Behavior / Medicine; Epilepsy|0920-1211|Monthly| |ELSEVIER SCIENCE BV +5099|Epileptic Disorders|Clinical Medicine|1294-9361|Quarterly| |JOHN LIBBEY EUROTEXT LTD +5100|Episodes|Geosciences|0705-3797|Quarterly| |GEOLOGICAL SOC INDIA +5101|Epistemologia|Social Sciences, general|0392-9760|Semiannual| |TILGHER-GENOVA S A S +5102|Epl|Physics / Physics; Natuurkunde|0295-5075|Semimonthly| |EPL ASSOCIATION +5103|Equine Veterinary Education|Plant & Animal Science / Horses; Paarden (dieren)|0957-7734|Monthly| |JOHN WILEY & SONS LTD +5104|Equine Veterinary Journal|Plant & Animal Science / Horses; Horse Diseases; Paarden (dieren); Diergeneeskunde|0425-1644|Bimonthly| |JOHN WILEY & SONS LTD +5105|Erciyes Universitesi Fen Bilimleri Enstitusu Dergisi| |1012-2354|Annual| |ERCIYES UNIV +5106|Erde|Geosciences|0013-9998|Quarterly| |GESELLSCHAFT ERDKUNDE BERLIN +5107|Erdkunde|Geosciences / Geography|0014-0015|Quarterly| |BOSS DRUCK MEDIEN GMBH +5108|Erforschung Biologischer Ressourcen der Mongolei| | |Irregular| |MARTIN-LUTHER-UNIV HALLE-WITTENBERG +5109|Ergodic Theory and Dynamical Systems|Mathematics / Ergodic theory; Differentiable dynamical systems; Ergodiciteit; Dynamische systemen|0143-3857|Bimonthly| |CAMBRIDGE UNIV PRESS +5110|Ergonomics|Engineering / Human engineering; Cybernetics; Industrial management; Human Engineering; Ergonomie; Cybernétique; Gestion d'entreprise|0014-0139|Monthly| |TAYLOR & FRANCIS LTD +5111|Erica| |1210-065X|Annual| |ZAPADOCESKE MUZEUM +5112|Ericsson Review| |0014-0171|Quarterly| |L M ERICSSON +5113|Erkenntnis|Philosophy; Analysis (Philosophy)|0165-0106|Bimonthly| |SPRINGER +5114|Erlanger Geologische Abhandlungen| |0071-1160|Irregular| |INST GEOLOGIE UNIV ERLANGEN-NUERNBERG +5115|Ernahrungs Umschau| |0174-0008|Monthly| |UMSCHAU VERLAG +5116|Ernstia| |0252-8274|Quarterly| |UNIV CENTRAL VENEZUELA +5117|Erwerbs-Obstbau|Plant & Animal Science /|0014-0309|Quarterly| |SPRINGER +5118|Esa Bulletin-European Space Agency|Engineering|0376-4265|Quarterly| |EUROPEAN SPACE AGENCY +5119|Esaim-Control Optimisation and Calculus of Variations|Mathematics / Control theory; Mathematical optimization; Calculus of variations|1262-3377|Quarterly| |EDP SCIENCES S A +5120|Esaim-Mathematical Modelling and Numerical Analysis-Modelisation Mathematique et Analyse Numerique|Mathematics / Numerical analysis; Mathematical models; Numerieke wiskunde; Wiskundige modellen; Modèles mathématiques; Analyse numérique; Recherche opérationnelle|0764-583X|Bimonthly| |EDP SCIENCES S A +5122|Ese-Estudios Sobre Educacion|Social Sciences, general|1578-7001|Semiannual| |UNIV NAVARRA +5123|Esperiana| |0949-4529|Irregular| |DELTA-DRUCK VERLAG PEKS +5124|Esperiana Memoir| | |Irregular| |DELTA-DRUCK VERLAG PEKS +5125|Esprit| |0014-0759|Monthly| |ESPRIT +5126|Esprit Createur| |0014-0767|Quarterly| |ESPRIT CREATEUR +5127|Esq-A Journal of the American Renaissance| |0093-8297|Quarterly| |WASHINGTON STATE UNIV +5129|Essays in Biochemistry|Biology & Biochemistry / Biochemistry; Biochemie|0071-1365|Annual| |PORTLAND PRESS LTD +5130|Essays in Criticism|English literature; Literature; Criticism; Letterkunde; Engels; Littérature anglaise; Littérature; Critique|0014-0856|Quarterly| |OXFORD UNIV PRESS +5131|Essays in Theatre-Etudes Theatrales| |0821-4425|Semiannual| |UNIV GUELPH +5132|Essener Oekologische Schriften| | |Irregular| |WESTARP WISSENSCHAFTEN +5133|Essex Bird Report| |0963-2085|Annual| |ESSEX BIRDWATCHING SOC +5134|Essex Naturalist-London| |0071-1489|Annual| |ESSEX FIELD CLUB +5135|Estonia Maritima| |1406-0396|Irregular| |ESTONIA MARITIMA KASIKIRJAD JA TRUKISED +5136|Estonian Agricultural University. Transactions| |1406-4049|Irregular| |ESTONIAN AGRICULTURAL UNIV +5137|Estonian Journal of Archaeology|Excavations (Archaeology)|1406-2933|Semiannual| |ESTONIAN ACADEMY PUBLISHERS +5138|Estonian Journal of Earth Sciences|Geosciences / Earth sciences; Aardwetenschappen|1736-4728|Quarterly| |ESTONIAN ACADEMY PUBLISHERS +5139|Estonian Journal of Ecology|Ecology; Biology|1736-602X|Quarterly| |ESTONIAN ACADEMY PUBLISHERS +5140|Estreno-Cuadernos Del Teatro Espanol Contemporaneo| |0097-8663|Semiannual| |ESTRENO +5141|Estuaries and Coasts|Plant & Animal Science / Estuarine biology; Estuaries; Coastal biology; Coasts|1559-2723|Bimonthly| |SPRINGER +5142|Estuarine, Coastal and Shelf Science|Plant & Animal Science / Estuarine oceanography; Coasts; Estuarine biology; Seashore biology; Mariene biologie; Kustgebieden; Kustwateren; Oceanografie; Continentaal plat; Estuaria; Ecologie; Littoral; Océanographie des estuaires; Biologie des estuaires;|0272-7714|Semimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +5143|Estudios atacameños| |0716-0925|Semiannual| |UNIV CATOLICA NORTE +5144|Estudios constitucionales|Social Sciences, general /|0718-0195|Semiannual| |UNIV TALCA +5145|Estudios de economía|Economics & Business /|0304-2758|Semiannual| |UNIV CHILE DEPT ECONOMICS +5146|Estudios de Psicología|Psychiatry/Psychology / Psychology|0210-9395|Tri-annual| |FUNDACION INFANCIA APRENDIZAJE +5147|Estudios Del Museo de Ciencias Naturales de Alava| |0214-915X|Annual| |MUSEO CIENCIAS NATURALES ALAVA +5148|Estudios filológicos| |0071-1713|Annual| |UNIV AUSTRAL CHILE +5149|Estudios Geologicos-Madrid|Geosciences / Geology|0367-0449|Semiannual| |Consejo Superior Investigaciones Científicas +5150|Estudios Sobre El Mensaje Periodistico|Social Sciences, general|1134-1629|Annual| |UNIV COMPLUTENSE MADRID +5151|Estudos de Biologia| |0102-2067|Irregular| |PONTIFICIA UNIV CATOLICA PARANA +5152|Estudos Ibero-Americanos| |0101-4064|Semiannual| |PONTIFICIA UNIVERSIDADE CATOLICA DO RIO GRANDE SUL +5153|Etc-Review of General Semantics| |0014-164X|Quarterly| |INT SOC GEN SEMANTICS +5154|Ethical Theory and Moral Practice|Ethics; Applied ethics; Ethiek / Ethics; Applied ethics; Ethiek|1386-2820|Bimonthly| |SPRINGER +5155|Ethics|Social Sciences, general / Ethics|0014-1704|Quarterly| |UNIV CHICAGO PRESS +5156|Ethics & Behavior|Psychiatry/Psychology / Professional ethics; Ethics; Déontologie professionnelle; Morale; Behavior|1050-8422|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +5157|Ethics and Information Technology|Social Sciences, general / Information technology|1388-1957|Quarterly| |SPRINGER +5158|Ethik in der Medizin|Social Sciences, general / Medical ethics; Ethics, Medical; Medische ethiek|0935-7335|Quarterly| |SPRINGER +5159|Ethiopian Journal of Health Development|Social Sciences, general|1021-6790|Tri-annual| |SOC LATINOAMER ESPECIALISTAS MAMIFEROS ACUATICOS +5160|Ethnic and Racial Studies|Social Sciences, general / Race relations; Ethnic groups; Etnische groepen; Ethnologie; Relations raciales; Minorités|0141-9870|Monthly| |ROUTLEDGE JOURNALS +5161|Ethnicities|Social Sciences, general / Ethnicity|1468-7968|Quarterly| |SAGE PUBLICATIONS LTD +5162|Ethnicity & Disease|Clinical Medicine|1049-510X|Quarterly| |INT SOC HYPERTENSION BLACKS-ISHIB +5163|Ethnicity & Health|Social Sciences, general / Ethnic groups; Medical care; Delivery of Health Care; Disease; Ethnic Groups; Health Services / Ethnic groups; Medical care; Delivery of Health Care; Disease; Ethnic Groups; Health Services|1355-7858|Quarterly| |ROUTLEDGE JOURNALS +5164|Ethnography|Social Sciences, general / Ethnology|1466-1381|Quarterly| |SAGE PUBLICATIONS LTD +5165|Ethnohistory|Social Sciences, general / Indians; Indians of North America; Ethnohistory; Etnogeschiedenis; Indianen|0014-1801|Quarterly| |DUKE UNIV PRESS +5166|Ethnologia Scandinavica| |0348-9698|Annual| |SWEDISH SCIENCE PRESS +5167|Ethnology|Social Sciences, general / Ethnology; Etnografie; Ethnologie|0014-1828|Quarterly| |UNIV PITTSBURGH +5168|Ethnomusicology|Ethnomusicology; Etnomusicologie; Ethnomusicologie; Musique; Musicologie|0014-1836|Tri-annual| |SOC ETHNOMUSICOLOGY INC +5169|Ethnos|Social Sciences, general / Ethnology; Archaeology|0014-1844|Quarterly| |ROUTLEDGE JOURNALS +5170|Ethnozootechnie| |0397-6572|Irregular| |SOC ETHNOZOOTECHNIE +5171|Ethology|Plant & Animal Science / Animal behavior; Psychology, Comparative; Ethology|0179-1613|Monthly| |WILEY-BLACKWELL PUBLISHING +5172|Ethology Ecology & Evolution|Plant & Animal Science /|0394-9370|Quarterly| |TAYLOR & FRANCIS LTD +5173|Ethos|Social Sciences, general / Ethnopsychology; Personality and culture; Individu; Sociale omgeving; Psychologie; Sociale wetenschappen; Ethnopsychologie; Personnalité et culture|0091-2131|Quarterly| |WILEY-BLACKWELL PUBLISHING +5174|Etologuia| |1135-6588|Annual| |SOC ESPANOLA ETOLOGIA +5175|Etr&d-Educational Technology Research and Development|Educational technology; Instructional systems; Onderwijstechnologie; Technologie éducative|1042-1629|Bimonthly| |SPRINGER +5176|ETRI Journal|Computer Science /|1225-6463|Bimonthly| |ELECTRONICS TELECOMMUNICATIONS RESEARCH INST +5177|Etudes Anglaises| |0014-195X|Quarterly| |DIDIER-ERUDITION +5178|Etudes Cinematographiques| |0014-1992|Annual| |LETTRES MODERNES +5179|Etudes Classiques|Social Sciences, general|0014-200X|Tri-annual| |SOC ETUDES CLASSIQUES +5180|Etudes Francaises| |0014-2085|Tri-annual| |PRESSES UNIV MONTREAL +5181|Etudes Germaniques| |0014-2115|Quarterly| |DIDIER-ERUDITION +5182|Etudes Litteraires| |0014-214X|Tri-annual| |PRESSES UNIV LAVAL +5183|Etudes Philosophiques| |0014-2166|Quarterly| |PRESSES UNIV FRANCE +5184|Etudes Theologiques et Religieuses| |0014-2239|Quarterly| |INST PROTESTANT THEOLOGIE +5185|Eugenics Review| |0374-7573|Quarterly| |CAMBRIDGE UNIV PRESS +5186|Eukaryotic Cell|Microbiology / Eukaryotic cells; Molecular biology; Cytology; Eukaryotic Cells; Cell Physiology; Molecular Biology|1535-9778|Monthly| |AMER SOC MICROBIOLOGY +5187|Eulenwelt| | |Annual| |LANDESVERBAND EULEN-SCHUTZ SCHLESWIG-HOLSTEIN E V +5188|Euphorion-Zeitschrift fur Literaturgeschichte| |0014-2328|Quarterly| |UNIVERSITATSVERLAG C WINTER HEIDELBERG GMBH +5189|Euphytica|Plant & Animal Science / Plant breeding|0014-2336|Semimonthly| |SPRINGER +5190|Eurasian Geography and Economics|Social Sciences, general / Geography; Economics; Economische geografie|1538-7216|Bimonthly| |BELLWETHER PUBL LTD +5191|Eurasian Journal of Biosciences| |1307-9867|Irregular| |FOUNDATION ENVIRONMENTAL PROTECTION & RESEARCH-FEPR +5192|Eurasian Soil Science|Agricultural Sciences / Soil science; Bodemkunde; Pédologie|1064-2293|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +5193|EURASIP Journal on Advances in Signal Processing|Engineering /|1687-6172| | |HINDAWI PUBLISHING CORPORATION +5194|EURASIP Journal on Wireless Communications and Networking|Computer Science / Wireless communication systems|1687-1499|Quarterly| |HINDAWI PUBLISHING CORPORATION +5195|Eure-Revista Latinoamericana de Estudios Urbano Regionales|Social Sciences, general /|0250-7161|Tri-annual| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +5196|Europace|Clinical Medicine / Arrhythmia; Cardiac Pacing, Artificial; Catheter Ablation; Electrophysiology; Heart|1099-5129|Quarterly| |OXFORD UNIV PRESS +5197|Europe-Asia Studies|Social Sciences, general / POLITICAL CONDITIONS; COMMONWEALTH OF INDEPENDENT STATES; GEORGIA; BALTIC STATES; CENTRAL ASIA; EASTERN EUROPE; EASTERN EUROPEAN STUDIES / POLITICAL CONDITIONS; COMMONWEALTH OF INDEPENDENT STATES; GEORGIA; BALTIC STATES; CENTRA|0966-8136|Monthly| |ROUTLEDGE JOURNALS +5198|Europe-Revue Litteraire Mensuelle| |0014-2751|Bimonthly| |REVUE EUROPE +5199|European Accounting Review|Economics & Business / Accounting; Comptabilité / Accounting; Comptabilité|0963-8180|Quarterly| |ROUTLEDGE JOURNALS +5200|European Addiction Research|Social Sciences, general / Substance abuse; Drug addiction; Substance-Related Disorders; Verslaving|1022-6877|Quarterly| |KARGER +5201|European Archives of Oto-Rhino-Laryngology|Clinical Medicine / Otolaryngology; Otorhinolaryngologic Diseases; Keel- neus- en oorheelkunde / Otolaryngology; Otorhinolaryngologic Diseases; Keel- neus- en oorheelkunde / Otolaryngology; Otorhinolaryngologic Diseases; Keel- neus- en oorheelkunde / Oto|0937-4477|Monthly| |SPRINGER +5202|European Archives of Psychiatry and Clinical Neuroscience|Clinical Medicine / Psychiatry; Neurosciences; Nervous system; Nervous System Diseases / Psychiatry; Neurosciences; Nervous system; Nervous System Diseases|0940-1334|Bimonthly| |SPRINGER HEIDELBERG +5203|European Biophysics Journal with Biophysics Letters|Biology & Biochemistry / Biophysics|0175-7571|Bimonthly| |SPRINGER +5204|European Business Organization Law Review|Social Sciences, general / Corporation law; Commercial law; Business enterprises; Handelsrecht; Ondernemingsrecht / Corporation law; Commercial law; Business enterprises; Handelsrecht; Ondernemingsrecht|1566-7529|Quarterly| |T M C ASSER PRESS +5205|European Cells & Materials|Materials Science|1473-2262|Semiannual| |SWISS SOC BIOMATERIALS +5206|European Child & Adolescent Psychiatry|Psychiatry/Psychology / Child psychiatry; Adolescent psychiatry; Child mental health; Teenagers; Adolescent Psychiatry; Child Psychiatry; Mental Disorders; Adolescent; Child; Infant; Kinder- en jeugdpsychiatrie / Child psychiatry; Adolescent psychiatry; |1018-8827|Monthly| |SPRINGER +5207|European Constitutional Law Review|Social Sciences, general / Constitutional law / Constitutional law|1574-0196|Tri-annual| |T M C ASSER PRESS +5208|European Cytokine Network|Molecular Biology & Genetics|1148-5493|Quarterly| |JOHN LIBBEY EUROTEXT LTD +5209|European Early Childhood Education Research Journal|Social Sciences, general /|1350-293X|Tri-annual| |ROUTLEDGE JOURNALS +5210|European Eating Disorders Review|Psychiatry/Psychology / Eating disorders; Eating Disorders|1072-4133|Bimonthly| |JOHN WILEY & SONS LTD +5211|European Economic Review|Economics & Business / Economics|0014-2921|Bimonthly| |ELSEVIER SCIENCE BV +5212|European Financial Management|Economics & Business / Finance; International finance; Corporations|1354-7798|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5213|European Food Research and Technology|Agricultural Sciences / Food; Levensmiddelen; Voeding / Food; Levensmiddelen; Voeding / Food; Levensmiddelen; Voeding / Food; Levensmiddelen; Voeding|1438-2377|Monthly| |SPRINGER +5214|European Heart Journal|Clinical Medicine / Cardiology; Cardiologie; Hartziekten|0195-668X|Semimonthly| |OXFORD UNIV PRESS +5215|European Heart Journal Supplements|Clinical Medicine / Heart Diseases|1520-765X|Semimonthly| |OXFORD UNIV PRESS +5216|European History Quarterly|Social Sciences, general /|0265-6914|Quarterly| |SAGE PUBLICATIONS LTD +5217|European Integration Online Papers-Eiop|Social Sciences, general|1027-5193|Irregular| |ECSA AUSTRIA +5218|European Journal of Ageing|Clinical Medicine / Geriatrics; Aging|1613-9372|Quarterly| |SPRINGER +5219|European Journal of Agronomy|Agricultural Sciences / Agronomy|1161-0301|Bimonthly| |ELSEVIER SCIENCE BV +5220|European Journal of Anaesthesiology|Clinical Medicine / Anesthesiology|0265-0215|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +5221|European Journal of Applied Mathematics|Mathematics / Mathematics|0956-7925|Bimonthly| |CAMBRIDGE UNIV PRESS +5222|European Journal of Applied Physiology|Clinical Medicine / Physiology; Work; Lichamelijke inspanning; Fysiologie / Physiology; Work; Lichamelijke inspanning; Fysiologie / Physiology; Work; Lichamelijke inspanning; Fysiologie|1439-6319|Monthly| |SPRINGER +5223|European Journal of Archaeology|Archaeology; Archeologie|1461-9571|Tri-annual| |SAGE PUBLICATIONS LTD +5224|European Journal of Cancer|Clinical Medicine / Cancer; Tumors; Neoplasms|0959-8049|Semimonthly| |ELSEVIER SCI LTD +5225|European Journal of Cancer Care|Clinical Medicine / Cancer; Neoplasms; Oncologic Nursing|0961-5423|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5226|European Journal of Cancer Prevention|Clinical Medicine / Cancer; Neoplasms; Kanker; Preventieve geneeskunde; Screening|0959-8278|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +5227|European Journal of Cardio-Thoracic Surgery|Clinical Medicine / Heart; Chest; Cardiac Surgical Procedures; Thoracic Surgery; Hartchirurgie; Borstkas; Chirurgie (geneeskunde)|1010-7940|Monthly| |ELSEVIER SCIENCE BV +5228|European Journal of Cardiovascular Nursing|Social Sciences, general / Cardiovascular system; Cardiovascular Diseases; Cardiology; Nursing; Vascular Diseases|1474-5151|Quarterly| |ELSEVIER SCIENCE BV +5229|European Journal of Cardiovascular Prevention & Rehabilitation|Clinical Medicine / Cardiovascular Diseases; Risk Factors / Cardiovascular Diseases; Risk Factors|1741-8267|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +5230|European Journal of Cell Biology|Molecular Biology & Genetics / Cytology; Celbiologie; Biochemie; Cytologie|0171-9335|Monthly| |ELSEVIER GMBH +5231|European Journal of Clinical Investigation|Clinical Medicine / Medicine, Experimental; Medicine; Klinische geneeskunde|0014-2972|Monthly| |WILEY-BLACKWELL PUBLISHING +5232|European Journal of Clinical Microbiology & Infectious Diseases|Microbiology / Medical microbiology; Communicable Diseases; Microbiology / Medical microbiology; Communicable Diseases; Microbiology / Medical microbiology; Communicable Diseases; Microbiology / Medical microbiology; Communicable Diseases; Microbiology|0934-9723|Monthly| |SPRINGER +5233|European Journal of Clinical Nutrition|Clinical Medicine / Nutrition; Nutrition disorders; Nutritionally induced diseases; Nutrition Disorders|0954-3007|Monthly| |NATURE PUBLISHING GROUP +5234|European Journal of Clinical Pharmacology|Clinical Medicine / Pharmacology; Drug Therapy; Klinische farmacologie; Pharmacologie / Pharmacology; Drug Therapy; Klinische farmacologie; Pharmacologie|0031-6970|Monthly| |SPRINGER +5235|European Journal of Cognitive Psychology|Psychiatry/Psychology / Cognitive psychology; Cognition; Psychology; Cognitieve psychologie / Cognitive psychology; Cognition; Psychology; Cognitieve psychologie|0954-1446|Bimonthly| |PSYCHOLOGY PRESS +5236|European Journal of Combinatorics|Mathematics / Combinatorial analysis; Combinatieleer|0195-6698|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +5237|European Journal of Communication|Social Sciences, general / Mass media|0267-3231|Quarterly| |SAGE PUBLICATIONS LTD +5238|European Journal of Contraception and Reproductive Health Care|Clinical Medicine / Contraception; Reproductive health; Reproductive Medicine; Anticonceptiva; Voortplanting (biologie)|1362-5187|Quarterly| |PARTHENON PUBLISHING GROUP +5239|European Journal of Control|Engineering /|0947-3580|Bimonthly| |LAVOISIER +5240|European Journal of Criminology|Social Sciences, general / Criminology; Crime|1477-3708|Bimonthly| |SAGE PUBLICATIONS LTD +5241|European Journal of Cultural Studies|Social Sciences, general / Culture; Popular culture; Subculture|1367-5494|Quarterly| |SAGE PUBLICATIONS LTD +5242|European Journal Of Dental Education|Clinical Medicine / Dental health education; Dentistry; Education, Dental; Tandheelkunde; Onderwijs|1396-5883|Quarterly| |WILEY-BLACKWELL PUBLISHING +5243|European Journal of Dermatology|Clinical Medicine|1167-1122|Bimonthly| |JOHN LIBBEY EUROTEXT LTD +5244|European Journal of Developmental Psychology|Psychiatry/Psychology / Developmental psychology; Human Development; Child Psychology; Adolescent Psychology; Ontwikkelingspsychologie|1740-5629|Bimonthly| |PSYCHOLOGY PRESS +5245|European Journal of Drug Metabolism and Pharmacokinetics|Pharmacology & Toxicology /|0378-7966|Quarterly| |MEDECINE ET HYGIENE +5246|European Journal of Echocardiography|Clinical Medicine / Echocardiography; Cardiovascular System; Heart Diseases|1525-2167|Bimonthly| |OXFORD UNIV PRESS +5247|European Journal of Education|Social Sciences, general / Education, Higher; Education|0141-8211|Quarterly| |WILEY-BLACKWELL PUBLISHING +5248|European Journal of Emergency Medicine|Clinical Medicine / Emergency medicine; Emergencies; Emergency Medical Services; Emergency Medicine|0969-9546|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +5249|European Journal of Endocrinology|Biology & Biochemistry / Endocrinology; Endocrine Diseases; Endocrine Glands; Hormones; Endocrinologie|0804-4643|Monthly| |BIOSCIENTIFICA LTD +5250|European Journal of Entomology|Plant & Animal Science|1210-5759|Quarterly| |CZECH ACAD SCI +5251|European Journal of Environmental and Civil engineering|Engineering /|1964-8189|Monthly| |LAVOISIER +5252|European Journal of Epidemiology|Clinical Medicine / Epidemiology; Epidemiologie|0393-2990|Monthly| |SPRINGER +5253|European Journal of Finance|Economics & Business / Finance; International finance; Financiering / Finance; International finance; Financiering|1351-847X|Bimonthly| |ROUTLEDGE JOURNALS +5254|European Journal of Forest Research|Plant & Animal Science / Forests and forestry / Forests and forestry / Forests and forestry / Forests and forestry|1612-4669|Bimonthly| |SPRINGER +5255|European Journal of Gastroenterology & Hepatology|Clinical Medicine / Gastroenterology; Liver; Gastrointestinal Diseases; Liver Diseases|0954-691X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +5256|European Journal of Gynaecological Oncology|Clinical Medicine|0392-2936|Bimonthly| |I R O G CANADA +5257|European Journal Of Haematology|Clinical Medicine / Hematology; Hematologie; Hématologie|0902-4441|Monthly| |WILEY-BLACKWELL PUBLISHING +5258|European Journal of Health Economics|Economics & Business / Medical economics; Medical care, Cost of; Pharmaceutical industry; Economics, Medical; Delivery of Health Care; Drug Industry / Medical economics; Medical care, Cost of; Pharmaceutical industry; Economics, Medical; Delivery of Heal|1618-7598|Quarterly| |SPRINGER +5259|European Journal of Heart Failure|Clinical Medicine / Heart failure; Heart Failure, Congestive|1388-9842|Bimonthly| |OXFORD UNIV PRESS +5260|European Journal of Histochemistry|Clinical Medicine /|1121-760X|Quarterly| |PAGEPRESS PUBL +5261|European Journal of Horticultural Science|Agricultural Sciences|1611-4426|Bimonthly| |EUGEN ULMER GMBH CO +5262|European Journal of Human Genetics|Molecular Biology & Genetics / Human genetics; Medical genetics; Genetics, Medical / Human genetics; Medical genetics; Genetics, Medical|1018-4813|Monthly| |NATURE PUBLISHING GROUP +5263|European Journal of Immunology|Immunology / Immunology; Allergy and Immunology|0014-2980|Monthly| |WILEY-V C H VERLAG GMBH +5264|European Journal of Industrial Engineering|Engineering /|1751-5254|Quarterly| |INDERSCIENCE ENTERPRISES LTD +5265|European Journal of Industrial Relations|Economics & Business / Industrial relations|0959-6801|Tri-annual| |SAGE PUBLICATIONS LTD +5266|European Journal of Inflammation|Immunology|1721-727X|Tri-annual| |BIOLIFE SAS +5267|European Journal of Information Systems|Computer Science / Information technology; Management information systems|0960-085X|Bimonthly| |PALGRAVE MACMILLAN LTD +5268|European Journal of Inorganic Chemistry|Chemistry / Chemistry, Inorganic; Organometallic chemistry; Bioinorganic chemistry; Solid state chemistry; Anorganische chemie; Organometaalchemie|1434-1948|Biweekly| |WILEY-V C H VERLAG GMBH +5269|European Journal of Internal Medicine|Clinical Medicine / Internal medicine; Internal Medicine|0953-6205|Bimonthly| |ELSEVIER SCIENCE BV +5270|European Journal of International Law|Social Sciences, general / International law; Volkenrecht; INTERNATIONAL LAW|0938-5428|Bimonthly| |OXFORD UNIV PRESS +5271|European Journal of International Management|Economics & Business /|1751-6757|Quarterly| |INDERSCIENCE ENTERPRISES LTD +5272|European Journal of International Relations|Social Sciences, general / International relations; World politics; Internationale betrekkingen|1354-0661|Quarterly| |SAGE PUBLICATIONS LTD +5273|European Journal of Jewish Studies|Jews|1025-9996|Semiannual| |BRILL ACADEMIC PUBLISHERS +5274|European Journal of Law and Economics|Economics & Business / Law and economics; Law; Rechtswetenschap; Overheidsbeleid; Collectieve sector; Rechtseconomie|0929-1261|Bimonthly| |SPRINGER +5275|European Journal of Lipid Science and Technology|Biology & Biochemistry / Lipids; Oils and fats; Lipiden|1438-7697|Monthly| |WILEY-V C H VERLAG GMBH +5276|European Journal of Marketing|Economics & Business / Marketing|0309-0566|Monthly| |EMERALD GROUP PUBLISHING LIMITED +5277|European Journal of Mass Spectrometry|Chemistry / Mass spectrometry; Spectrum Analysis, Mass|1469-0667|Bimonthly| |IM PUBLICATIONS +5278|European Journal of Mechanics A-Solids|Engineering / Mechanics, Analytic; Mechanics, Applied; Mécanique appliquée; Mécanique analytique|0997-7538|Bimonthly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +5279|European Journal of Mechanics B-Fluids|Engineering / Fluid mechanics; Mechanics, Analytic; Mechanics, Applied; Mécanique appliquée; Mécanique analytique|0997-7546|Bimonthly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +5280|European Journal of Medical Genetics|Molecular Biology & Genetics / Medical genetics; Genetic Diseases, Inborn; Chromosome Aberrations; Genetics, Medical; Génétique; Maladies héréditaires; Aberrations chromosomiques; Génétique médicale|1769-7212|Quarterly| |ELSEVIER SCIENCE BV +5281|European Journal of Medical Research|Clinical Medicine|0949-2321|Monthly| |I HOLZAPFEL VERLAG GMBH +5282|European Journal of Medicinal Chemistry|Chemistry / Pharmaceutical chemistry; Chemistry, Pharmaceutical; Pharmacology|0223-5234|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +5283|European Journal of Migration and Law|Social Sciences, general / Emigration and immigration law; Migration, Internal|1388-364X|Quarterly| |BRILL ACADEMIC PUBLISHERS +5284|European Journal of Mineralogy|Geosciences / Mineralogy; Mineralogie; Minéralogie; Cristallographie|0935-1221|Bimonthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +5285|European Journal of Morphology|Biology & Biochemistry / Morphology (Animals); Vertebrates; Anatomy; Morphologie animale; Vertébrés|0924-3860|Bimonthly| |TAYLOR & FRANCIS INC +5286|European Journal of Neurology|Clinical Medicine / Neurology; Nervous system; Nervous System Diseases; Neurologie|1351-5101|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5287|European Journal of Neuroscience|Neuroscience & Behavior / Neurology; Nervous System; Neurons; Neurosciences; Neurologie|0953-816X|Semimonthly| |WILEY-BLACKWELL PUBLISHING +5288|European Journal of Nuclear Medicine and Molecular Imaging|Clinical Medicine / Nuclear medicine; Nuclear Medicine; Nucleaire geneeskunde|1619-7070|Monthly| |SPRINGER +5289|European Journal of Nutrition|Clinical Medicine / Nutrition; Voeding|1436-6207|Bimonthly| |SPRINGER HEIDELBERG +5290|European Journal of Obstetrics & Gynecology and Reproductive Biology|Obstetrics; Gynecology; Reproduction; Verloskunde; Gynaecologie; Voortplanting (biologie); Obstétrique; Gynécologie|0301-2115|Bimonthly| |ELSEVIER SCIENCE BV +5291|European Journal of Oncology| |1128-6598|Quarterly| |MATTIOLI 1885 +5292|European Journal of Oncology Nursing|Social Sciences, general / Cancer; Oncologic Nursing; Neoplasms; Verpleegkunde; Kanker|1462-3889|Bimonthly| |ELSEVIER SCI LTD +5293|European Journal of Operational Research|Engineering / Operations research|0377-2217|Semimonthly| |ELSEVIER SCIENCE BV +5294|European Journal of Ophthalmology|Clinical Medicine|1120-6721|Quarterly| |WICHTIG EDITORE +5295|European Journal of Oral Implantology| |1756-2406|Quarterly| |QUINTESSENCE PUBLISHING CO INC +5296|European Journal Of Oral Sciences|Clinical Medicine / Dentistry; Oral medicine; Tandheelkunde; Dentisterie|0909-8836|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5297|European Journal of Organic Chemistry|Chemistry / Chemistry, Organic; Organic compounds; Bioorganic chemistry; Physical organic chemistry; Biochemistry; Organische chemie|1434-193X|Semimonthly| |WILEY-V C H VERLAG GMBH +5298|European Journal of Orthodontics|Clinical Medicine / Orthodontics; Orthodontie|0141-5387|Bimonthly| |OXFORD UNIV PRESS +5299|European Journal of Orthopaedic Surgery and Traumatology|Clinical Medicine / Orthopedics; Wounds and Injuries|1633-8065|Quarterly| |SPRINGER +5300|European Journal of Paediatric Dentistry|Clinical Medicine|1591-996X|Quarterly| |ARIESDUE SRL +5301|European Journal of Paediatric Neurology|Neuroscience & Behavior / Pediatric neurology; Nervous System Diseases; Child; Infant|1090-3798|Bimonthly| |ELSEVIER SCI LTD +5302|European Journal of Pain|Neuroscience & Behavior / Pain; Pijn|1090-3801|Monthly| |ELSEVIER SCI LTD +5303|European Journal of Parenteral & Pharmaceutical Sciences| |0964-4679|Quarterly| |EUROMED COMMUNICATIONS LTD +5304|European Journal of Pediatric Surgery|Clinical Medicine / Surgical Procedures, Operative; Child; Infant|0939-7248|Bimonthly| |GEORG THIEME VERLAG KG +5305|European Journal of Pediatrics|Clinical Medicine / Pediatrics; Children; Kindergeneeskunde / Pediatrics; Children; Kindergeneeskunde|0340-6199|Monthly| |SPRINGER +5306|European Journal of Personality|Psychiatry/Psychology / Personality; Persoonlijkheidstheorieën|0890-2070|Bimonthly| |JOHN WILEY & SONS LTD +5307|European Journal of Pharmaceutical Sciences|Pharmacology & Toxicology / Pharmacology, Experimental; Chemistry, Pharmaceutical; Pharmaceutical Preparations; Pharmacokinetics; Technology, Pharmaceutical; Pharmacie; Pharmacologie; Chimie pharmaceutique|0928-0987|Monthly| |ELSEVIER SCIENCE BV +5308|European Journal of Pharmaceutics and Biopharmaceutics|Pharmacology & Toxicology / Biopharmaceutics; Drugs; Technology, Pharmaceutical|0939-6411|Bimonthly| |ELSEVIER SCIENCE BV +5309|European Journal of Pharmacology|Pharmacology & Toxicology / Pharmacology; Pharmacologie; Farmacologie|0014-2999|Weekly| |ELSEVIER SCIENCE BV +5310|European Journal of Philosophy|Philosophy; Philosophy, European; Philosophy, Modern|0966-8373|Tri-annual| |WILEY-BLACKWELL PUBLISHING +5311|European Journal of Phycology|Plant & Animal Science / Algology; Wieren|0967-0262|Quarterly| |TAYLOR & FRANCIS LTD +5312|European Journal of Physical and Rehabilitation Medicine|Clinical Medicine|1973-9087|Quarterly| |EDIZIONI MINERVA MEDICA +5313|European Journal of Physics|Physics / Physics; Natuurkunde; Physique|0143-0807|Bimonthly| |IOP PUBLISHING LTD +5314|European Journal of Plant Pathology|Plant & Animal Science / Plant diseases; Plant parasites|0929-1873|Monthly| |SPRINGER +5315|European Journal of Political Economy|Economics & Business / Economics; Economic history; Political science|0176-2680|Quarterly| |ELSEVIER SCIENCE INC +5316|European Journal of Political Research|Social Sciences, general / Political science|0304-4130|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5317|European Journal of Population-Revue Europeenne de Demographie|Social Sciences, general / Demography; Population / Demography; Population / Demography; Population / Demography; Population|0168-6577|Quarterly| |SPRINGER +5318|European Journal of Protistology|Biology & Biochemistry / Protista; Microbiology|0932-4739|Quarterly| |ELSEVIER GMBH +5319|European Journal of Psychiatry|Psychiatry/Psychology|0213-6163|Quarterly| |EUROPEAN JOURNAL OF PSYCHIATRY +5320|European Journal of Psychological Assessment|Psychiatry/Psychology / Psychological tests; Personality assessment; Personality Assessment; Psychological Tests; Psychologische tests; Beoordeling|1015-5759|Tri-annual| |HOGREFE & HUBER PUBLISHERS +5321|European Journal of Psychology of Education|Psychiatry/Psychology /|0256-2928|Quarterly| |SPRINGER +5322|European Journal of Public Health|Social Sciences, general / Epidemiology; Public health; Épidémiologie; Santé publique; Public Health; Volksgezondheid; Gezondheidszorg; Sociale gezondheidszorg|1101-1262|Quarterly| |OXFORD UNIV PRESS +5323|European Journal of Radiology|Clinical Medicine / Radiology, Medical; Radiology|0720-048X|Monthly| |ELSEVIER IRELAND LTD +5324|European Journal of Science and Theology| |1841-0464|Quarterly| |ACAD ORGANISATION ENVIRONMENTAL ENGINEERING & SUSTAINABLE DEV +5325|European Journal of Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social; Sociale psychologie|0046-2772|Bimonthly| |JOHN WILEY & SONS LTD +5326|European Journal of Social Theory|Social Sciences, general / Social sciences|1368-4310|Quarterly| |SAGE PUBLICATIONS LTD +5327|European Journal of Soil Biology|Environment/Ecology / Soil biology|1164-5563|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +5328|European Journal of Soil Science|Agricultural Sciences / Soil science; Pédologie|1351-0754|Quarterly| |WILEY-BLACKWELL PUBLISHING +5329|European Journal of Sport Science|Clinical Medicine /|1746-1391|Quarterly| |TAYLOR & FRANCIS LTD +5330|European Journal of Teacher Education|Social Sciences, general / Teachers|0261-9768|Quarterly| |ROUTLEDGE JOURNALS +5331|European Journal of the History of Economic Thought|Economics & Business / Economics; Economic history / Economics; Economic history|0967-2567|Quarterly| |ROUTLEDGE JOURNALS +5332|European Journal of Transport and Infrastructure Research|Engineering|1567-7133|Quarterly| |EDITORIAL BOARD EJTIR +5333|European Journal of Trauma and Emergency Surgery|Clinical Medicine / Traumatology; Surgical emergencies; Wounds and Injuries; Critical Care; Emergencies|1863-9933|Bimonthly| |URBAN & VOGEL +5334|European Journal of Ultrasound|Ultrasonics in medicine; Ultrasonics in biology; Diagnosis, Ultrasonic; Ultrasonics; Ultrasonography|0929-8266|Quarterly| |ELSEVIER IRELAND LTD +5335|European Journal of Vascular and Endovascular Surgery|Clinical Medicine / Endoscopy; Vascular Surgical Procedures|1078-5884|Monthly| |W B SAUNDERS CO LTD +5336|European Journal of Water Quality| |1818-8710|Semiannual| |ASSOC SCIENTIFIQUE EUROPEENNE POUR EAU LA SANTE +5337|European Journal of Wildlife Research|Plant & Animal Science / Animal ecology; Wildlife conservation; Conservation of natural resources; Hunting|1612-4642|Quarterly| |SPRINGER +5338|European Journal of Womens Studies|Social Sciences, general / Women's studies; Women; Feminist theory|1350-5068|Quarterly| |SAGE PUBLICATIONS LTD +5339|European Journal of Wood and Wood Products|Materials Science / Wood; Bois|0018-3768|Quarterly| |SPRINGER +5340|European Journal of Work and Organizational Psychology|Psychiatry/Psychology / Psychology, Industrial; Organizational behavior; Personnel management; Work; Arbeids- en organisatiepsychologie|1359-432X|Quarterly| |PSYCHOLOGY PRESS +5341|European Law Journal|Social Sciences, general / Law|1351-5993|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5342|European Law Review|Social Sciences, general|0307-5400|Bimonthly| |SWEET MAXWELL LTD +5343|European Legacy-Toward New Paradigms|Ideeëngeschiedenis|1084-8770|Bimonthly| |ROUTLEDGE JOURNALS +5344|European Management Journal|Economics & Business / Management|0263-2373|Bimonthly| |ELSEVIER SCI LTD +5345|European Mosquito Bulletin| |1460-6127|Irregular| |PROFESSOR KEITH SNOW +5346|European Neurology|Neuroscience & Behavior / Neurology; Neurologie|0014-3022|Monthly| |KARGER +5347|European Neuropsychopharmacology|Neuroscience & Behavior / Neuropsychopharmacology; Mental Disorders; Psychotropic Drugs; Neuropsychopharmacologie; Psychofarmacologie|0924-977X|Monthly| |ELSEVIER SCIENCE BV +5348|European Physical Education Review|Social Sciences, general / Physical education and training|1356-336X|Tri-annual| |SAGE PUBLICATIONS LTD +5349|European Physical Journal A|Physics / Nuclear physics; Hadrons; Astrophysics; Kernfysica; Physique nucléaire; Astrophysique|1434-6001|Monthly| |SPRINGER +5350|European Physical Journal B|Physics / Condensed matter; Physics; Vastestoffysica; Hydrodynamica; Statistische mechanica; Matière condensée; Physique / Condensed matter; Physics; Vastestoffysica; Hydrodynamica; Statistische mechanica; Matière condensée; Physique / Condensed matter; |1434-6028|Semimonthly| |SPRINGER +5351|European Physical Journal C|Physics / Particles (Nuclear physics); Field theory (Physics) / Particles (Nuclear physics); Field theory (Physics) / Particles (Nuclear physics); Field theory (Physics)|1434-6044|Semimonthly| |SPRINGER +5352|European Physical Journal D|Physics / Physics; Natuurkunde; Atomes; Molécules; Optique; Physique|1434-6060|Monthly| |SPRINGER +5353|European Physical Journal E|Physics / Soft condensed matter; Physics; Chemistry, Physical and theoretical; Biophysics; Natuurkunde / Soft condensed matter; Physics; Chemistry, Physical and theoretical; Biophysics; Natuurkunde|1292-8941|Monthly| |SPRINGER +5354|European Physical Journal-Applied Physics|Physics / Physics; Microscopy; Microchemistry; Microstructure; Natuurkunde; Toegepaste wetenschappen|1286-0042|Monthly| |EDP SCIENCES S A +5355|European Physical Journal-Special Topics|Physics / Physics|1951-6355|Monthly| |SPRINGER HEIDELBERG +5356|European Planning Studies|Social Sciences, general / Regional planning; Regional economics|0965-4313|Bimonthly| |ROUTLEDGE JOURNALS +5357|European Political Science|Social Sciences, general / Political science; Politieke wetenschappen|1680-4333|Quarterly| |PALGRAVE MACMILLAN LTD +5358|European Polymer Journal|Chemistry / Polymers; Polymerization|0014-3057|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +5359|European Psychiatry|Psychiatry/Psychology / Psychiatry; Mental Disorders|0924-9338|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +5360|European Psychologist|Psychiatry/Psychology / Psychology|1016-9040|Quarterly| |HOGREFE & HUBER PUBLISHERS +5361|European Radiology|Clinical Medicine / Radiology, Medical; Radiography; Geneeskunde; Radiologie|0938-7994|Monthly| |SPRINGER +5362|European Research on Cetaceans| |1028-3412|Annual| |EUROPEAN CETACEAN SOC +5363|European Respiratory Journal|Clinical Medicine / Respiratory organs; Respiration; Respiratory Tract Diseases|0903-1936|Monthly| |EUROPEAN RESPIRATORY SOC JOURNALS LTD +5364|European Review for Medical and Pharmacological Sciences|Pharmacology & Toxicology|1128-3602|Bimonthly| |VERDUCI PUBLISHER +5365|European Review of Aging and Physical Activity|Clinical Medicine / Exercise for older people; Exercise; Aging; Motor Activity|1813-7253|Semiannual| |SPRINGER HEIDELBERG +5366|European Review of Agricultural Economics|Economics & Business / Agriculture|0165-1587|Quarterly| |OXFORD UNIV PRESS +5367|European Review of Applied Psychology-Revue Europeenne de Psychologie Appliquee|Psychiatry/Psychology / Psychology, Applied; Toegepaste psychologie; Psychologie appliquée / Psychology, Applied; Toegepaste psychologie; Psychologie appliquée|1162-9088|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +5368|European Review of Economic History|Economics & Business / Economic history|1361-4916|Tri-annual| |CAMBRIDGE UNIV PRESS +5369|European Review of History-Revue Europeenne D Histoire| |1469-8293|Bimonthly| |ROUTLEDGE JOURNALS +5370|European Review of Social Psychology|Psychiatry/Psychology /|1046-3283|Annual| |PSYCHOLOGY PRESS +5371|European Societies|Social Sciences, general / Sociology|1461-6696|Quarterly| |ROUTLEDGE JOURNALS +5372|European Sociological Review|Social Sciences, general / Sociology; Social history; Sociologie|0266-7215|Quarterly| |OXFORD UNIV PRESS +5373|European Spine Journal|Clinical Medicine / Spine; Spinal Diseases|0940-6719|Bimonthly| |SPRINGER +5374|European Sport Management Quarterly|Social Sciences, general / Sports administration|1618-4742|Quarterly| |ROUTLEDGE JOURNALS +5375|European Surgery-Acta Chirurgica Austriaca|Clinical Medicine / Surgery; Surgical Procedures, Operative / Surgery; Surgical Procedures, Operative|1682-8631|Bimonthly| |SPRINGER WIEN +5376|European Surgical Research|Clinical Medicine / Surgery, Experimental; Research; Surgery|0014-312X|Bimonthly| |KARGER +5377|European Transactions on Electrical Power|Engineering / Electric engineering|1430-144X|Bimonthly| |JOHN WILEY & SONS LTD +5378|European Transactions on Telecommunications|Computer Science / Telecommunication|1124-318X|Bimonthly| |JOHN WILEY & SONS LTD +5379|European Union Politics|Social Sciences, general / Europese Unie; Politiek|1465-1165|Quarterly| |SAGE PUBLICATIONS LTD +5380|European Urban and Regional Studies|Social Sciences, general / Regional planning; Regional economics; Cities and towns; Urban policy; European communities|0969-7764|Quarterly| |SAGE PUBLICATIONS LTD +5381|European Urology|Clinical Medicine / Urology; Urologie; Verenigingen|0302-2838|Monthly| |ELSEVIER SCIENCE BV +5382|European Urology Supplements|Clinical Medicine / Urology|1569-9056|Irregular| |ELSEVIER SCIENCE BV +5383|Eurosite Spoonbill Network Newsletter| | |Semiannual| |SPOONBILL WORKING GROUP +5384|Eurosurveillance|Clinical Medicine|1560-7917|Weekly| |EUR CENTRE DIS PREVENTION & CONTROL +5385|Euscorpius| |1536-9307|Irregular| |VICTOR FET DEPT BIOLOGICAL SCIENCES +5386|Evaluation & the Health Professions|Social Sciences, general / Medical care; Medicine; Evaluation Studies; Schools, Health Occupations; Soins médicaux; Santé, Services de; Santé publique; Médecine; Écoles de sciences de la santé; Évaluation de programme / Medical care; Medicine; Evaluation|0163-2787|Quarterly| |SAGE PUBLICATIONS INC +5387|Evaluation and Program Planning|Social Sciences, general / Evaluation research (Social action programs); Evaluation Studies; Health Planning; Systems Analysis|0149-7189|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +5388|Evaluation of New Canal Point Sugarcane Clones| |0899-3270|Annual| |U S SUGARCANE FIELD STATION +5389|Evaluation Review|Social Sciences, general / Evaluation research (Social action programs); Evaluation Studies; Health Planning; Social Planning|0193-841X|Bimonthly| |SAGE PUBLICATIONS INC +5390|Eversmannia| | |Quarterly| |RUSSIAN ENTOMOLOGICAL SOC +5391|Evidence-based Complementary and Alternative Medicine|Clinical Medicine / Alternative medicine; Evidence-based medicine; Complementary Therapies; Evidence-Based Medicine|1741-427X|Quarterly| |OXFORD UNIV PRESS +5392|Evolucion| |1989-046X| | |SOC ESPANOLA BIOLOGIA EVOLUTIVA +5393|Evolution|Biology & Biochemistry / Evolution; Heredity; Evolutie; Évolution; Génétique|0014-3820|Monthly| |WILEY-BLACKWELL PUBLISHING +5394|Evolution & Development|Biology & Biochemistry / Evolution (Biology); Developmental biology; Evolution; Developmental Biology; Molecular Biology|1520-541X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5395|Evolution and Human Behavior|Psychiatry/Psychology / Genetic psychology; Behavior; Evolution|1090-5138|Bimonthly| |ELSEVIER SCIENCE INC +5396|Evolution Education and Outreach| | |Quarterly| |SPRINGER HEIDELBERG +5397|Evolution of Communication|Communication; Language and languages; Animal communication; Human-animal communication|1387-5337|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +5398|Evolution Psychiatrique|Psychiatry/Psychology / Psychiatry; Mental Disorders; Psychoanalysis; Psychiatrie / Psychiatry; Mental Disorders; Psychoanalysis; Psychiatrie / Psychiatry; Mental Disorders; Psychoanalysis; Psychiatrie / Psychiatry; Mental Disorders; Psychoanalysis; Psyc|0014-3855|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +5399|Evolutionary Anthropology|Social Sciences, general / Human evolution; Anthropology; Human ecology; Anthropology, Physical; Evolution; Fysische antropologie; Evolutie|1060-1538|Bimonthly| |WILEY-LISS +5400|Evolutionary Applications|Biology & Biochemistry /|1752-4571|Quarterly| |WILEY-BLACKWELL PUBLISHING +5401|Evolutionary Bioinformatics|Computer Science|1176-9343|Quarterly| |BIOINFORMATICS INST +5402|Evolutionary Biology|Evolution; Biology; Evolutie; Évolution; Biologie|0071-3260|Quarterly| |SPRINGER +5403|Evolutionary Computation|Computer Science / Genetic algorithms; Artificial intelligence; Evolutionary computation; Evolution; Mathematical Computing; Models, Genetic; Models, Theoretical|1063-6560|Quarterly| |M I T PRESS +5404|Evolutionary Ecology|Environment/Ecology / Ecology; Evolution (Biology); Evolutie; Ecologie; Évolution (Biologie); Écologie; Écosystèmes|0269-7653|Bimonthly| |SPRINGER +5405|Evolutionary Ecology Research|Environment/Ecology|1522-0613|Bimonthly| |EVOLUTIONARY ECOLOGY LTD +5406|Evolutionary Psychology|Psychiatry/Psychology|1474-7049|Irregular| |EVOLUTIONARY PSYCHOL +5407|Evolutionary Sciences| |1882-8914|Annual| |RESEARCH INST EVOLUTIONARY BIOLOGY +5408|Evolutionary Theory| |0093-4755|Semiannual| |EVOLUTIONARY THEORY +5409|Evolutionary Theory & Review| |1528-2619|Irregular| |UNIV CHICAGO +5410|Evraziatskii Entomologicheskii Zhurnal| |1684-4866|Quarterly| |KMK SCIENTIFIC PRESS LTD +5411|Exceptional Children|Social Sciences, general|0014-4029|Quarterly| |COUNCIL EXCEPTIONAL CHILDREN +5412|Exceptionality|Social Sciences, general / Special education; Exceptional children; Child, Exceptional; Disabled Persons; Learning Disorders; Mental Retardation; Neurologic Manifestations|0936-2835|Quarterly| |ROUTLEDGE JOURNALS +5413|Excli Journal|Microbiology|1611-2156|Irregular| |UNIV MAINZ-MED DEPT +5414|Exemplaria-A Journal of Theory in Medieval and Renaissance Studies|Literature, Medieval; European literature; Middle Ages; Letterkunde|1041-2573|Semiannual| |PEGASUS PRESS +5415|Exercise and Sport Sciences Reviews|Clinical Medicine / Sports medicine; Médecine sportive; Exertion; Sports Medicine; Sport; Gymnastiek; Sportgeneeskunde|0091-6331|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +5416|Exercise Immunology Review|Immunology|1077-5552|Annual| |W W F VERLAGSGESELLSCHAFT GMBH +5417|Exmoor Naturalist| |1367-7047|Annual| |EXMOOR NATURAL HISTORY SOC +5418|Exotic Dvm| |1521-1363|Bimonthly| |ZOOLOGICAL EDUCATION NETWORK +5419|Experimental Aging Research|Neuroscience & Behavior / Aging; Research|0361-073X|Quarterly| |TAYLOR & FRANCIS INC +5420|Experimental Agriculture|Agricultural Sciences / Agriculture|0014-4797|Quarterly| |CAMBRIDGE UNIV PRESS +5421|Experimental and Applied Acarology|Plant & Animal Science / Acarology; Mites; Ticks; Acari / Acarology; Mites; Ticks; Acari / Acarology; Mites; Ticks; Acari|0168-8162|Monthly| |SPRINGER +5422|Experimental and Clinical Endocrinology & Diabetes|Biology & Biochemistry / Endocrinology, Experimental; Endocrine glands; Diabetes; Diabetes Mellitus; Endocrine Diseases / Endocrinology, Experimental; Endocrine glands; Diabetes; Diabetes Mellitus; Endocrine Diseases|0947-7349|Monthly| |JOHANN AMBROSIUS BARTH VERLAG MEDIZINVERLAGE HEIDELBERG GMBH +5423|Experimental and Clinical Pharmacology| |0869-2092|Irregular| |IZDATEL STVO FOLIUM +5424|Experimental and Clinical Psychopharmacology|Psychiatry/Psychology / Psychopharmacology; Psychofarmacologie; Psychopharmacologie|1064-1297|Quarterly| |AMER PSYCHOLOGICAL ASSOC +5425|Experimental and Clinical Transplantation|Clinical Medicine|1304-0855|Quarterly| |BASKENT UNIV +5426|Experimental and Molecular Medicine|Biology & Biochemistry /|1226-3613|Quarterly| |KOREAN SOC MED BIOCHEMISTRY MOLECULAR BIOLOGY +5427|Experimental and Molecular Pathology|Clinical Medicine / Pathology, Molecular; Pathology, Experimental; Pathology|0014-4800|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5428|Experimental and Toxicologic Pathology|Pharmacology & Toxicology / Pathology; Toxicology|0940-2993|Bimonthly| |ELSEVIER GMBH +5429|Experimental Animals|Plant & Animal Science / Laboratory animals; Animal experimentation; Animal Welfare; Animals, Laboratory|1341-1357|Quarterly| |INT PRESS EDITING CENTRE INC +5430|Experimental Astronomy|Space Science / Astronomical instruments; Astronomy; Astrophysics; Sterrenkunde; Apparatuur|0922-6435|Bimonthly| |SPRINGER +5431|Experimental Biology and Medicine|Clinical Medicine / Physiology; Biology, Experimental; Medicine, Experimental; Biologie; Médecine; Biological Sciences; Clinical Medicine; Geneeskunde|1535-3702|Monthly| |SOC EXPERIMENTAL BIOLOGY MEDICINE +5432|Experimental Brain Research|Neuroscience & Behavior / Brain; Nervous system; Hersenen; Onderzoek; Cerveau; Système nerveux|0014-4819|Biweekly| |SPRINGER +5433|Experimental Cell Research|Molecular Biology & Genetics / Cytology|0014-4827|Semimonthly| |ELSEVIER INC +5434|Experimental Dermatology|Clinical Medicine / Dermatology; Skin; Skin Diseases|0906-6705|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5435|Experimental Diabetes Research|Clinical Medicine /|1687-5214|Irregular| |HINDAWI PUBLISHING CORPORATION +5436|Experimental Economics|Economics & Business / Economics|1386-4157|Tri-annual| |SPRINGER +5437|Experimental Eye Research|Clinical Medicine / Ophthalmology; Oogheelkunde|0014-4835|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +5438|Experimental Gerontology|Clinical Medicine / Aging; Gerontology|0531-5565|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +5439|Experimental Heat Transfer|Engineering / Heat|0891-6152|Quarterly| |TAYLOR & FRANCIS INC +5440|Experimental Hematology|Clinical Medicine / Hematology, Experimental; Stem cells; Hematology; Stem Cells; Research; Hématologie; Rayonnement; Radioactivité; Hematologie|0301-472X|Monthly| |ELSEVIER SCIENCE INC +5441|Experimental Lung Research|Clinical Medicine / Lungs; Lung; Lung Diseases|0190-2148|Bimonthly| |TAYLOR & FRANCIS INC +5442|Experimental Mathematics|Mathematics|1058-6458|Quarterly| |A K PETERS LTD +5443|Experimental Mechanics|Engineering / Materials; Mechanics, Applied; Matériaux; Mécanique appliquée|0014-4851|Quarterly| |SPRINGER +5444|Experimental Neurology|Neuroscience & Behavior / Neurology; Experimenteel onderzoek; Neurologie|0014-4886|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5445|Experimental Oncology|Clinical Medicine|1812-9269|Quarterly| |INST EXP PATHOL ONCOL RADIOBIOL +5446|Experimental Parasitology|Microbiology / Parasitology|0014-4894|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5447|Experimental Pathology and Parasitology| |1311-6851|Irregular| |INST EXPERIMENTAL PATHOLOGY PARASITOLOGY +5448|Experimental Physiology|Biology & Biochemistry / Physiology, Experimental; Physiology|0958-0670|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5449|Experimental Psychology|Psychiatry/Psychology / Psychology; Psychology, Experimental; Experimentele psychologie / Psychology; Psychology, Experimental; Experimentele psychologie|1618-3169|Quarterly| |HOGREFE & HUBER PUBLISHERS +5450|Experimental Techniques|Engineering / Materials; Strains and stresses; Engineering instruments|0732-8818|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5451|Experimental Thermal and Fluid Science|Engineering / Heat; Fluid dynamics|0894-1777|Bimonthly| |ELSEVIER SCIENCE INC +5452|Experiments in Fluids|Engineering / Fluid dynamics; Fluides, Dynamique des|0723-4864|Monthly| |SPRINGER +5453|Expert Opinion on Biological Therapy|Clinical Medicine / Immunotherapy; Biological products; Drug Delivery Systems; Biological Therapy|1471-2598|Bimonthly| |INFORMA HEALTHCARE +5454|Expert Opinion on Drug Delivery|Pharmacology & Toxicology / Drug Delivery Systems|1742-5247|Bimonthly| |INFORMA HEALTHCARE +5455|Expert Opinion on Drug Discovery|Pharmacology & Toxicology / Drug Design|1746-0441|Bimonthly| |INFORMA HEALTHCARE +5456|Expert Opinion on Drug Metabolism & Toxicology|Pharmacology & Toxicology / Pharmaceutical Preparations; Toxicology / Pharmaceutical Preparations; Toxicology|1742-5255|Bimonthly| |INFORMA HEALTHCARE +5457|Expert Opinion on Drug Safety|Clinical Medicine / Pharmaceutical Preparations; Consumer Product Safety; Drug Evaluation; Drug Therapy; Product Surveillance, Postmarketing|1474-0338|Bimonthly| |INFORMA HEALTHCARE +5458|Expert Opinion on Emerging Drugs|Pharmacology & Toxicology /|1472-8214|Quarterly| |INFORMA HEALTHCARE +5459|Expert Opinion on Investigational Drugs|Pharmacology & Toxicology /|1354-3784|Monthly| |INFORMA HEALTHCARE +5460|Expert Opinion on Pharmacotherapy|Clinical Medicine / Chemotherapy; Pharmacology; Drug Therapy; Drug Evaluation|1465-6566|Monthly| |INFORMA HEALTHCARE +5461|Expert Opinion on Therapeutic Patents|Pharmacology & Toxicology / Drugs; Patents; Drug Approval; Pharmaceutical Preparations; Therapeutics|1354-3776|Monthly| |INFORMA HEALTHCARE +5462|Expert Opinion on Therapeutic Targets|Pharmacology & Toxicology / Drug Delivery Systems; Drug Design; Drug Therapy|1472-8222|Monthly| |INFORMA HEALTHCARE +5463|Expert Review of Anti-infective Therapy|Pharmacology & Toxicology / Neoplasms|1478-7210|Monthly| |EXPERT REVIEWS +5464|Expert Review of Anticancer Therapy|Clinical Medicine / Infection; Bacterial Infections; Infection Control; Parasitic Diseases; Virus Diseases|1473-7140|Bimonthly| |EXPERT REVIEWS +5465|Expert Review of Clinical Immunology|Immunology /|1744-666X|Bimonthly| |EXPERT REVIEWS +5466|Expert Review of Medical Devices|Clinical Medicine / Equipment and Supplies; Equipment Design|1743-4440|Bimonthly| |EXPERT REVIEWS +5467|Expert Review of Molecular Diagnostics|Clinical Medicine / Molecular Biology; Diagnostic Techniques and Procedures; Genetics, Medical; Pharmacogenetics|1473-7159|Bimonthly| |EXPERT REVIEWS +5468|Expert Review of Neurotherapeutics|Neuroscience & Behavior / Central Nervous System Diseases; Central Nervous System; Mental Disorders; Neuropharmacology|1473-7175|Monthly| |EXPERT REVIEWS +5469|Expert Review of Proteomics|Chemistry / Proteomics|1478-9450|Bimonthly| |EXPERT REVIEWS +5470|Expert Review of Vaccines|Immunology / Vaccines|1476-0584|Bimonthly| |EXPERT REVIEWS +5471|Expert Reviews in Molecular Medicine|Clinical Medicine /|1462-3994|Irregular| |CAMBRIDGE UNIV PRESS +5472|Expert Systems|Engineering / Expert systems (Computer science); Expertsystemen; Systèmes experts (Informatique)|0266-4720|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5473|Expert Systems with Applications|Engineering / Expert systems (Computer science)|0957-4174|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +5474|Explicacion de Textos Literarios| |0361-9621|Semiannual| |CALIFORNIA STATE UNIV +5475|Explicator|English literature; American literature; Letterkunde; Engels; Amerikaans; Littérature anglaise; Littérature américaine|0014-4940|Quarterly| |HELDREF PUBLICATIONS +5476|Exploration Geophysics|Geosciences / Prospecting|0812-3985|Quarterly| |CSIRO PUBLISHING +5477|Explorations in Economic History|Economics & Business / Economic history; Economische geschiedenis; Histoire économique|0014-4983|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5478|Explore-The Journal of Science and Healing|Clinical Medicine / Holistic medicine; Alternative medicine; Médecine factuelle; Guérison; Holistic Health; Complementary Therapies|1550-8307|Bimonthly| |ELSEVIER SCIENCE INC +5479|Expositiones Mathematicae|Mathematics / Mathematics|0723-0869|Quarterly| |ELSEVIER GMBH +5480|Expository Times|Theologie; Godsdienstwetenschap|0014-5246|Monthly| |T & T CLARK LTD ATTN MRS S GRANT +5481|eXPRESS Polymer Letters|Chemistry /|1788-618X|Monthly| |BUDAPEST UNIV TECHNOL & ECON +5482|Expressions Maghrebines| |1540-0085|Semiannual| |FLORIDA STATE UNIV +5483|Extrapolation| |0014-5483|Tri-annual| |UNIV TEXAS BROWNSVILLE & TEXAS SOUTHMOST COLL +5484|Extremes|Extreme value theory; Mathematical statistics|1386-1999|Quarterly| |SPRINGER +5485|Extremophiles|Biology & Biochemistry / Microorganisms; Extreme environments; Microbial ecology; Adaptation, Biological; Environment; Microbiology; Extremofielen|1431-0651|Bimonthly| |SPRINGER TOKYO +5486|Eye|Clinical Medicine / Ophthalmology; Oogheelkunde|0950-222X|Monthly| |NATURE PUBLISHING GROUP +5487|Eye & Contact Lens-Science and Clinical Practice|Clinical Medicine / Contact lenses; Intraocular lenses; Contact Lenses; Contact Lenses, Hydrophilic; Lenses, Intraocular|1542-2321|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +5488|F1000 Biology Reports| |1757-594X|Irregular| |BIOL REPORTS LTD +5489|Fabad Journal of Pharmaceutical Sciences| |1300-4182|Quarterly| |HACETTEPE UNIV +5490|Fabicib-Facultad de Bioquimica Y Ciencias Biologicas| |0329-5559|Annual| |UNIV NAC LITORAL +5491|Fabreries| |0318-6725|Quarterly| |ASSOC ENTOMOL AMAT QUEBEC +5492|Fabula|Tales|0014-6242|Semiannual| |WALTER DE GRUYTER & CO +5493|Facena| |0325-4216|Annual| |UNIV NAC NORDESTE +5494|Facetta| |0940-8150|Annual| |ENTOMOLOGISCHE GESELLSCHAFT INGOLSTADT E V +5495|Facial Plastic Surgery|Clinical Medicine / Face; Surgery, Plastic|0736-6825|Quarterly| |THIEME MEDICAL PUBL INC +5496|Facies|Geosciences / Facies (Geology); Paleontologie|0172-9179|Irregular| |SPRINGER +5497|Fair Isle Bird Observatory Report| |0427-9190|Annual| |FAIR ISLE BIRD OBSERVATORY TRUST +5498|Falco - Carmarthen| |1608-1544|Semiannual| |MIDDLE EAST FALCON RESEARCH GROUP +5499|Falke| |0323-357X|Monthly| |AULA-VERLAG GMBH +5500|Falke Taschenkalender fuer Vogelbeobachter| |1618-9531|Annual| |AULA-VERLAG GMBH +5501|Familial Cancer|Clinical Medicine /|1389-9600|Quarterly| |SPRINGER +5502|Families in Society-The Journal of Contemporary Social Services|Social Sciences, general|1044-3894|Quarterly| |ALLIANCE CHILDREN & FAMILIES +5503|Family| |0887-400X|Monthly| |ALLIANCE CHILDREN & FAMILIES +5504|Family & Community Health|Social Sciences, general|0160-6379|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +5505|Family Business Review|Economics & Business / Family-owned business enterprises; Home labor; Small business; New business enterprises|0894-4865|Quarterly| |SAGE PUBLICATIONS INC +5506|Family Law Quarterly|Social Sciences, general|0014-729X|Quarterly| |AMER BAR ASSOC +5507|Family Medicine|Clinical Medicine|0742-3225|Monthly| |SOC TEACHERS FAMILY MEDICINE +5508|Family Practice|Clinical Medicine / Family medicine; Family Practice; Huisartsgeneeskunde|0263-2136|Bimonthly| |OXFORD UNIV PRESS +5509|Family Process|Psychiatry/Psychology / Family psychotherapy; Family; Interpersonal Relations|0014-7370|Quarterly| |WILEY-BLACKWELL PUBLISHING +5510|Family Relations|Social Sciences, general / Family; Family life education; Gezin; Éducation à la vie familiale; Conseil conjugal|0197-6664|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5511|Fao Animal Production and Health Guidelines| | |Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5512|Fao Animal Production and Health Manual| |1810-1119| | |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5513|Fao Fisheries and Aquaculture Proceedings| |2070-6103|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5514|Fao Fisheries and Aquaculture Technical Paper| |2070-7010|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5515|Fao Fisheries Circular| |0429-9329|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5516|Fao Fisheries Synopsis| |0014-5602|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5517|Far Eastern Entomologist| |1026-051X|Monthly| |INST BIOLOGY SOIL SCIENCES +5518|Faraday Discussions|Chemistry / Chemistry; Metallurgy; Electrochemistry; Chemie; Fysische chemie|1364-5498|Semiannual| |ROYAL SOC CHEMISTRY +5519|Farmaceuticky Obzor| |0014-8172|Monthly| |SLOVAKIA-MINISTERSTVO ZDRAVOTNICTVA +5520|Farmaceutico| |0213-7283|Monthly| |EDICIONES MAYO S A +5521|Farmaceutico Hospitales| |0214-4697|Monthly| |EDICIONES MAYO S A +5522|Farmaceutisch Tijdschrift Voor Belgie| |0771-2367|Bimonthly| |ALGEMENE PHARMACEUTISCHE BOND +5523|Farmaceutski Glasnik| |0014-8202|Monthly| |HRVATSKO FARMACEUTSKO DRUSTVO +5524|Farmacevtski Vestnik| |0014-8229|Quarterly| |SLOVENSKO FARMACEVTSKO DRUSTVO +5525|Farmacia|Molecular Biology & Genetics|0014-8237|Bimonthly| |SOC STINTE FARMACEUTICE ROMANIA +5526|Farmacia Hospitalaria| |1130-6343|Bimonthly| |EDITORIAL GARSI +5527|Farmacia Portuguesa| |0870-0230|Monthly| |ASSOC NACIONAL FARMACIAS +5528|Farmacja Polska| |0014-8261|Semimonthly| |POLSKIEGO TOWARZYSTWA FARMACEUTYCZNEGO +5529|Farmatsiya-Moscow| |0367-3014|Bimonthly| |RTS FARMEDINFO +5530|Fascicule de Phyllie| | |Irregular| |ASSOC FOYER CULT SARREGUEMINES +5531|Faseb Journal|Biology & Biochemistry / Biology; Biology, Experimental|0892-6638|Monthly| |FEDERATION AMER SOC EXP BIOL +5532|Fashion Theory-The Journal of Dress Body & Culture|Costume design; Fashion; Clothing and dress; Costume|1362-704X|Quarterly| |BERG PUBL +5533|Fatigue & Fracture of Engineering Materials & Structures|Materials Science / Materials; Fracture mechanics|8756-758X|Monthly| |WILEY-BLACKWELL PUBLISHING +5534|Fauna and Taxonomy of Insects in Henan| |1007-3450|Irregular| |CHINESE PRESS AGRICULTURAL SCIENCE TECHNOLOGY +5535|Fauna Bohemiae Septentrionalis| |0231-9861|Annual| |ZOOLOGICKY KLUB +5536|Fauna Cr A Sr| |1211-0833|Irregular| |ACADEMIA +5537|Fauna D Italia| |0430-1226|Irregular| |EDIZIONE CALDERINI +5538|Fauna Entomologica de Portugal| |0873-5417|Irregular| |SOC PORTUGUESA ENTOMOLOGIA +5539|Fauna Entomologica Scandinavica| |0106-8377|Irregular| |BRILL ACADEMIC PUBLISHERS +5540|Fauna Europaea Evertebrata| |0257-7038|Irregular| |EUROPEAN INVERTEBRATE SURVEY +5541|Fauna Graeciae| |1105-8269|Irregular| |SOC ZOOLOGIQUE HELLENIQUE +5542|Fauna Malesiana Handbook| |1388-3895|Irregular| |BRILL ACADEMIC PUBLISHERS +5543|Fauna Na Bulgariya| | |Irregular| |PENSOFT PUBLISHERS +5544|Fauna Norvegica| |1502-4873|Irregular| |NORWEGIAN INST NATURE RESEARCH-NINA +5545|Fauna Och Flora-Stockholm| |0014-8903|Bimonthly| |NATURHISTORISKA RIKSMUSEET +5546|Fauna of China| | |Irregular| |MAGNOLIA PRESS +5547|Fauna of New Zealand| |0111-5383|Irregular| |MANAAKI WHENUA PRESS +5548|Fauna Rossii I Sopredel Nykh Stran| |1026-5619|Irregular| |NAUKA +5549|Fauna Sinica| | |Irregular| |SCIENCE PRESS +5550|Fauna Ukrayiny| | |Irregular| |VELES +5551|Fauna und Flora in Rheinland-Pfalz| |0934-5213|Irregular| |GESELLSCHAFT NATURSCHUTZ ORNITHOLOGIE RHEINLAND-PFALZ E V +5552|Fauna-Oslo| |0014-8881|Quarterly| |NORSK ZOOLOGISK FORENING-NZF +5553|Faune de France| |0374-762X|Irregular| |FEDERATION FRANCAISE SOC SCIENCES NATURELLES +5554|Faune de Provence| |1154-3442|Annual| |CENTRE ETUDE SUR ECOSYSTEMES PROVENCE +5555|Faune et Flore Tropicales| |1286-4994|Irregular| |INST RECHERCHE DEVELOPPEMENT-IRD +5556|Faunistisch-Oekologische Mitteilungen| |0430-1285|Irregular| |WACHHOLTZ VERLAG +5557|Faunistische Abhandlungen| |0375-2135|Irregular| |STAATLICHES MUSEUM TIERKUNDE DRESDEN +5558|Fbva Berichte| |1013-0713|Irregular| |FORSTLICHE BUNDESVERSUCHSANSTALT WIEN +5559|FEBS Journal|Biology & Biochemistry / Biochemistry; Molecular Biology; Biochimie|1742-464X|Semimonthly| |WILEY-BLACKWELL PUBLISHING +5560|FEBS Letters|Biology & Biochemistry / Biochemistry; Biophysics; Molecular biology; Biochimie; Biologie moléculaire; Biophysique; Biochemie; Biofysica; Moleculaire biologie|0014-5793|Biweekly| |ELSEVIER SCIENCE BV +5561|Feddes Repertorium|Botany; Plants; Phytogeography|0014-8962|Quarterly| |AKADEMIE VERLAG GMBH +5562|Federal Reserve Bank of St Louis Review|Economics & Business|0014-9187|Bimonthly| |FEDERAL RESERVE BANK ST LOUIS +5563|Feminism & Psychology|Psychiatry/Psychology / Women; Feminist psychology; Feminism; Women's Rights / Women; Feminist psychology; Feminism; Women's Rights|0959-3535|Quarterly| |SAGE PUBLICATIONS LTD +5564|Feminist Criminology|Social Sciences, general / Feminist criminology|1557-0851|Quarterly| |SAGE PUBLICATIONS INC +5565|Feminist Economics|Economics & Business / Feminist economics; Women; Economie; Sekseverschillen; Économie féministe; Femmes|1354-5701|Tri-annual| |ROUTLEDGE JOURNALS +5566|Feminist Review|Social Sciences, general / Feminism; Feminisme; Vrouwenbeweging|0141-7789|Tri-annual| |PALGRAVE MACMILLAN LTD +5567|Feminist Studies|Social Sciences, general / Feminism|0046-3663|Tri-annual| |FEMINIST STUD INC +5568|Feminist Theory|Social Sciences, general / Feminist theory; Feminism|1464-7001|Tri-annual| |SAGE PUBLICATIONS INC +5569|Feministische Studien|Social Sciences, general|0723-5186|Semiannual| |LUCIUS LUCIUS VERLAG MBH +5570|Fems Congress of European Microbiologists Abstract Book| | |Annual| |ELSEVIER SCIENCE BV +5571|Fems Immunology and Medical Microbiology|Immunology / Medical microbiology; Microbiology; Immunology; Communicable diseases; Allergy and Immunology; Communicable Diseases; Immunologie; Microbiologie|0928-8244|Monthly| |WILEY-BLACKWELL PUBLISHING +5572|FEMS Microbiology Ecology|Microbiology / Microbial ecology; Microbiology; Ecology; Microbiologie; Écologie; Écologie microbienne; Ecologie|0168-6496|Monthly| |WILEY-BLACKWELL PUBLISHING +5573|FEMS Microbiology Letters|Microbiology / Microbiology|0378-1097|Semimonthly| |WILEY-BLACKWELL PUBLISHING +5574|FEMS Microbiology Reviews|Microbiology / Microbiology; Review Literature; Microbiologie|0168-6445|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5575|FEMS Yeast Research|Plant & Animal Science / Yeast; Yeasts|1567-1356|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5576|Fepam Em Revista| |1980-797X|Semiannual| |FUNDACAO ESTADUAL PROTECAO AMBIENTAL HENRIQUE LUIS ROESSLER +5577|Fern Gazette| |0308-0838|Annual| |BRITISH PTERIDOLOGICAL SOC +5578|Ferrantia| |1682-5519|Irregular| |MUSEE NATL HISTOIRE NATURELLE +5579|Ferroelectrics|Physics / Ferroelectricity; Ferroelectric crystals|0015-0193|Semimonthly| |TAYLOR & FRANCIS LTD +5580|Ferroelectrics Letters Section|Physics / Ferroelectricity; Ferroelectric crystals|0731-5171|Bimonthly| |TAYLOR & FRANCIS LTD +5581|Fertility and Sterility|Clinical Medicine / Infertility; Fertility, Human; Fertility|0015-0282|Monthly| |ELSEVIER SCIENCE INC +5582|Festivus| |0738-9388|Monthly| |SAN DIEGO SHELL CLUB +5583|Fetal and Pediatric Pathology|Clinical Medicine / Fetal Diseases; Infant, Newborn, Diseases; Pediatrics|1551-3815|Bimonthly| |TAYLOR & FRANCIS INC +5584|Fetal Diagnosis and Therapy|Clinical Medicine / Prenatal diagnosis; Fetus; Fetal Diseases|1015-3837|Bimonthly| |KARGER +5585|Feuille de Neomys| |1283-3347|Annual| |SOC HISTOIRE NATURELLE AMIS MUSEUM AUTUN +5586|Feuillets de Radiologie|Clinical Medicine / Radiology|0181-9801|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +5587|Few-Body Systems|Physics / Few-body problem; Particles (Nuclear physics) / Few-body problem; Particles (Nuclear physics)|0177-7963|Quarterly| |SPRINGER WIEN +5588|Ff Communications| |0014-5815|Semiannual| |SUOMALAINEN TIEDEAKATEMIA ACAD SCIENTIARUM FENNICA +5589|Fiber and Integrated Optics|Physics / Fiber optics; Integrated optics; Optical communications / Fiber optics; Integrated optics; Optical communications|0146-8030|Quarterly| |TAYLOR & FRANCIS INC +5590|Fibers and Polymers|Materials Science / Plastics; Textile fibers; Textile fabrics|1229-9197|Bimonthly| |KOREAN FIBER SOC +5591|Fibre Chemistry|Chemistry / Textile chemistry; Textile fibers, Synthetic|0015-0541|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +5592|Fibres & Textiles in Eastern Europe|Materials Science|1230-3666|Quarterly| |INST CHEMICAL FIBRES +5593|Fiddlehead| |0015-0630|Quarterly| |UNIV NEW BRUNSWICK +5594|Field Crops Research|Agricultural Sciences / Field crops; Agriculture|0378-4290|Monthly| |ELSEVIER SCIENCE BV +5595|Field Methods|Social Sciences, general / Ethnology; Anthropology; Ethnologie; Anthropologie|1525-822X|Quarterly| |SAGE PUBLICATIONS INC +5596|Field Studies| |0428-304X|Annual| |FIELD STUDIES COUNCIL-FSC +5597|Fieldiana Botany|Botany; Plants; Plantkunde; Plantes|0015-0746|Irregular| |FIELD MUSEUM OF NATURAL HISTORY +5598|Fieldiana Geology| |0096-2651|Irregular| |FIELD MUSEUM OF NATURAL HISTORY +5599|Fieldiana Zoology|Zoology|0015-0754|Irregular| |FIELD MUSEUM OF NATURAL HISTORY +5600|Filaria Journal|Filarial worms; Filariasis; Filarioidea|1475-2883|Irregular| |BIOMED CENTRAL LTD +5601|Film Comment| |0015-119X|Bimonthly| |FILM SOC LINCOLN CENTER +5602|Film Criticism| |0163-5069|Tri-annual| |FILM CRITICISM +5603|Film Quarterly|Motion pictures; Radio; Television|0015-1386|Quarterly| |UNIV CALIFORNIA PRESS +5604|Filomat|Mathematics /|0354-5180|Semiannual| |UNIV NIS +5605|Filosofia| |0015-1823|Tri-annual| |FILOSOFIA +5606|Filosofia Unisinos| |1519-5023|Tri-annual| |UNIV DO VALE DO RIO DOS SINOS +5607|Filosoficky Casopis|Social Sciences, general|0015-1831|Bimonthly| |FILOSOFICKY CASOPIS INST PHILOSOPHY +5608|Filosofija-Sociologija|Social Sciences, general|0235-7186|Quarterly| |LITHUANIAN ACAD SCIENCES +5609|Filozofia| |0046-385X|Monthly| |FILOZOFIA +5610|Filozofska Istrazivanja| |0351-4706|Quarterly| |CROATIAN PHILOSOPHICAL SOC +5611|Filozofski Vestnik| |0353-4510|Tri-annual| |ZRC PUBLISHING +5612|Filtration & Separation|Chemistry / Filters and filtration; Separators (Machines); Separation (Technology)|0015-1882|Monthly| |ELSEVIER ADVANCED TECHNOLOGY +5613|Finance A Uver-Czech Journal of Economics and Finance|Economics & Business|0015-1920|Bimonthly| |CHARLES UNIV-PRAGUE +5614|Finance and Stochastics|Economics & Business / Finance; Stochastic analysis|0949-2984|Quarterly| |SPRINGER HEIDELBERG +5615|Finance Research Letters|Economics & Business / Finance; Investment analysis|1544-6123|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5616|Financial Analysts Journal|Economics & Business / Investment analysis; Investeringen; Beleggers|0015-198X|Bimonthly| |ASSOC INVESTMENT MANAGEMENT RESEARCH (A I M R) +5617|Financial Management|Economics & Business / Corporations|0046-3892|Quarterly| |FINANCIAL MANAGEMENT ASSOC +5618|Finanzarchiv|Economics & Business / Finance|0015-2218|Quarterly| |MOHR SIEBECK +5619|Finfo Fiskeriverket Informerar| |1404-8590|Bimonthly| |FISKERIVERKET +5620|Finite Elements in Analysis and Design|Engineering / Finite element method; Engineering design; Computer-aided design|0168-874X|Monthly| |ELSEVIER SCIENCE BV +5621|Finite Fields and Their Applications|Mathematics / Finite fields (Algebra); Eindige wiskunde|1071-5797|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5622|Finnish Journal of Dairy Science| |0789-7286|Annual| |FINNISH SOC DAIRY SCIENCE +5623|Firat Universitesi Fen Ve Muhendislik Bilimleri Dergisi| |1300-2708|Semiannual| |FIRAT UNIV +5624|Fire and Materials|Materials Science / Fire testing; Fire; Materials|0308-0501|Bimonthly| |JOHN WILEY & SONS LTD +5625|Fire Safety Journal|Engineering /|0379-7112|Bimonthly| |ELSEVIER SCI LTD +5626|Fire Technology|Materials Science / Fire prevention; Fire extinction|0015-2684|Quarterly| |SPRINGER +5627|Firudo Saiensu| |1347-3948|Annual| |TOKYO UNIV AGRIC TECHNOL +5628|Fiscal Studies|Economics & Business / Finance; Finance, Public|0143-5671|Quarterly| |WILEY-BLACKWELL PUBLISHING +5629|Fish & Shellfish Immunology|Plant & Animal Science / Fishes; Shellfish; Crustacea; Mollusca / Fishes; Shellfish; Crustacea; Mollusca|1050-4648|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +5630|Fish and Fisheries|Plant & Animal Science / Fisheries; Fishes|1467-2960|Quarterly| |WILEY-BLACKWELL PUBLISHING +5631|Fish and Wildlife Research Institute Technical Reports| |1930-1448|Irregular| |FLORIDA MARINE RESEARCH INST +5632|Fish Pathology|Plant & Animal Science / Fishes; Veterinary pathology|0388-788X|Quarterly| |JAPAN SOC FISH PATHOL DEPT FISHERIES-FAC AGR +5633|Fish Physiology and Biochemistry|Plant & Animal Science / Fishes; Biochemistry|0920-1742|Quarterly| |SPRINGER +5634|Fisheries|Plant & Animal Science / Fishery management|0363-2415|Monthly| |AMER FISHERIES SOC +5635|Fisheries Management and Ecology|Plant & Animal Science / Fishery management; Fishes; Aquaculture|0969-997X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5636|Fisheries Management Paper| |0819-4327|Irregular| |DEPARTMENT FISHERIES +5637|Fisheries Occasional Publications| |1447-2058|Irregular| |WESTERN AUSTRALIAN DEPT FISHERIES +5638|Fisheries Oceanography|Plant & Animal Science / Fishery oceanography|1054-6006|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5639|Fisheries Research|Plant & Animal Science / Fisheries|0165-7836|Monthly| |ELSEVIER SCIENCE BV +5640|Fisheries Science|Plant & Animal Science / Fisheries; Fishes|0919-9268|Bimonthly| |SPRINGER TOKYO +5641|Fisheries Science - Liaoning| |1003-1111|Quarterly| |LIAONING MARINE FISHERIES RESEARCH INST +5642|Fisheries Western Australia Fisheries Research Report| |1033-2782|Irregular| |FISHERIES WESTERN AUSTRALIA +5643|Fishery Bulletin|Plant & Animal Science|0090-0656|Quarterly| |NATL MARINE FISHERIES SERVICE SCIENTIFIC PUBL OFFICE +5644|Fishes of Sahul| |0813-3778|Quarterly| |AUSTRALIA NEW GUINEA FISHES ASSOC +5645|Fisken Og Havet| |0071-5638|Irregular| |HAVFORSKNINGSINSTITUTTET +5646|Fitopatologia| |0430-6155|Semiannual| |ASOCIACION LATINOAMERICANA FITOPATOLOGIA -ALF +5647|Fitopatologia Brasileira|Plant diseases|0100-4158|Tri-annual| |SOC BRASILEIRA FITOPATHOLOGIA +5648|Fitopatologia Colombiana| |0120-0143|Semiannual| |ASOCIACION COLOMBIANA FITOPATOLOGIA CIENCIAS AFINES-ASCOLFI +5649|Fitopatologia Venezolana| |0798-0035|Semiannual| |SOC VENEZOLANA FITOPATOLOGIA +5650|Fitosanidad| |1562-3009|Irregular| |INST INVESTIGACIONES SANIDAD VEGETAL-INISAV +5651|Fitosociologia-Pavia| |1125-9078|Semiannual| |SOC ITALIANA FITOSOCIOLOGIA +5652|Fitoterapia|Pharmacology & Toxicology / Medicinal plants; Botany, Medical; Pharmaceutical Preparations|0367-326X|Bimonthly| |ELSEVIER SCIENCE BV +5653|Fixed Point Theory|Mathematics|1583-5022|Semiannual| |HOUSE BOOK SCIENCE-CASA CARTII STIINTA +5654|Fixed Point Theory and Applications|Fixed point theory|1687-1820|Quarterly| |HINDAWI PUBLISHING CORPORATION +5655|Fiziolohichnyi Zhurnal-Kiev| |0201-8489|Bimonthly| |INST FIZIOLOHIYI IM O O BOHOMOL TSYA NAN UKRAYINY +5656|Fjolrit Natturufraedistofnunar| |1027-832X|Annual| |NATTURUFRAEDISTOFNUN ISLANDS +5657|Flamingo| | |Annual| |IUCN-SSC FLAMINGO SPECIALIST GROUP +5658|Flavour and Fragrance Journal|Agricultural Sciences / Odors; Smell; Flavor|0882-5734|Bimonthly| |JOHN WILEY & SONS LTD +5659|Fleischwirtschaft|Agricultural Sciences|0015-363X|Monthly| |DEUTSCHER FACHVERLAG GMBH +5660|Flexible Services and Manufacturing Journal|Engineering /|1936-6582|Quarterly| |SPRINGER +5661|Fliegen der Palaearktischen Region| | |Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +5662|Flies of the Nearctic Region| | |Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +5663|Flora|Plant & Animal Science / Plant morphology; Plant ecology; Phytogeography; Plant ecophysiology; Plantkunde; Phytogéographie; Plantes; Écologie végétale|0367-2530|Quarterly| |ELSEVIER GMBH +5664|Flora & Fauna-Jhansi| |0971-6920|Semiannual| |FLORA & FAUNA +5665|Flora Og Fauna| |0015-3818|Quarterly| |NATURHISTORISK FORENING FOR JYLLAND +5666|Florida Department of Agriculture and Consumer Services Division of Plant Industry Entomology Circular| |0013-8932|Monthly| |FLORIDA DEPT AGRICULTURE & CONSUMER SERVICES +5667|Florida Entomologist|Plant & Animal Science / Entomology; Insects / Entomology; Insects|0015-4040|Quarterly| |FLORIDA ENTOMOLOGICAL SOC +5668|Florida Field Naturalist| |0738-999X|Quarterly| |FLORIDA ORNITHOLOGICAL SOC +5669|Florida Fossil Invertebrates| |1536-5557|Irregular| |FLORIDA PALEONTOLOGICAL SOC +5670|Florida Geological Survey Bulletin| | |Irregular| |FLORIDA GEOLOGICAL SURVEY +5671|Florida Geological Survey Special Publication| |0430-7070|Irregular| |FLORIDA GEOLOGICAL SURVEY +5672|Florida Marine Research Publications| |0095-0157|Irregular| |FLORIDA MARINE RESEARCH INST +5673|Florida Museum of Natural History Special Publication| | |Irregular| |FLORIDA MUSEUM NATURAL HISTORY +5674|Florida Pharmacy Today| |0897-4616|Monthly| |FLORIDA PHARMACY ASSOC +5675|Florida Scientist| |0098-4590|Quarterly| |FLORIDA ACAD SCIENCES INC +5676|Floristische Rundbriefe| |0934-456X|Semiannual| |Ruhr-Universität Bochum +5677|Flow Measurement and Instrumentation|Engineering / Fluid dynamic measurements; Flow meters|0955-5986|Quarterly| |ELSEVIER SCI LTD +5678|Flow Turbulence and Combustion|Engineering / Mechanics, Applied; Turbulence; Combustion|1386-6184|Bimonthly| |SPRINGER +5679|Flowering Plants of Africa| |0015-4504|Annual| |NATL BOTANICAL INST +5680|Fluctuation and Noise Letters|Physics / Random noise theory; Nanostructured materials; Nonlinear systems; Nonlinear Dynamics|0219-4775|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +5681|Fluid Dynamics|Engineering /|0015-4628|Bimonthly| |SPRINGER +5682|Fluid Dynamics Research|Engineering / Fluid dynamics|0169-5983|Monthly| |IOP PUBLISHING LTD +5683|Fluid Phase Equilibria|Chemistry / Thermodynamics; Fluid dynamics; Chemical equilibrium; Vloeistoffen; Evenwichten; Fluides, Dynamique des; Fluides, Mécanique des; Thermochimie|0378-3812|Semimonthly| |ELSEVIER SCIENCE BV +5684|Fluoride|Biology & Biochemistry|0015-4725|Quarterly| |INT SOC FLUORIDE RESEARCH +5685|Fly|Molecular Biology & Genetics /|1933-6934|Bimonthly| |LANDES BIOSCIENCE +5686|Flycatcher| |0963-2220|Annual| |HEREFORDSHIRE NATURE TRUST +5687|Focus on Autism and Other Developmental Disabilities|Clinical Medicine / Autism in children; Autistic children; Autism; Developmental disabilities; Autistic Disorder; Developmental Disabilities; Child|1088-3576|Quarterly| |SAGE PUBLICATIONS INC +5688|Focus on Exceptional Children|Social Sciences, general|0015-511X|Monthly| |LOVE PUBLISHING COMPANY +5689|Foldtani Kozlony| |0015-542X|Quarterly| |KULTURA - HUNGARIAN FOREIGN TRADING CO +5690|Folia Amazonica| |1018-5674|Semiannual| |INST INVESTIGACIONES AMAZONIA PERUANA +5691|Folia Biologica|Biology & Biochemistry / Zoology; Zoology, Experimental; Biology|0015-5500|Bimonthly| |CHARLES UNIV PRAGUE +5692|Folia Biologica et Geologica| |1855-7996|Semiannual| |SLOVENSKA AKAD ZNANOSTI UMETNOSTI +5693|Folia Biologica-Krakow|Biology & Biochemistry|0015-5497|Semiannual| |MUSEUM & INST ZOOLOGY PAS-POLISH ACAD SCIENCES +5694|Folia Comloensis| |0236-8927|Irregular| |NATURAL HISTORY COLLECTION KOMLO +5695|Folia Entomologica Hungarica| |0373-9465|Irregular| |MAGYAR TERMESZETTUDOMANYI MUZEUM +5696|Folia Entomologica Mexicana| |0430-8603|Tri-annual| |SOC MEXICANA ENTOMOLOGIA +5697|Folia Faunistica Slovaca| |1335-7522|Annual| |KATEDRA ZOOLOGIE-DATABANKA FAUNY SOVENSKA +5698|Folia Forestalia Polonica Series A - Forestry| |0071-6677|Annual| |INST BADAWCZY LESNICTWA +5699|Folia Geobotanica|Plant & Animal Science / Plant ecology; Plants; Botany|1211-9520|Quarterly|http://link.springer.com/journal/12224|SPRINGER +5700|Folia Heyrovskyana| |1210-4108|Quarterly| |VIT KABOUREK +5701|Folia Histochemica et Cytobiologica|Biology & Biochemistry / Histology; Cytology; Biochemistry; Histocytochemistry|0239-8508|Quarterly| |POLISH HISTOCHEMICAL CYTOCHEMICAL SOC +5702|Folia Historico Naturalia Musei Matraensis| |0134-1243|Annual| |MATRA MUZEUM +5703|Folia Horticulturae| |0867-1761|Semiannual| |POLISH SOC HORTICULTURAL SCI +5704|Folia Linguistica|Social Sciences, general / Language and languages; Linguistics; Taalwetenschap|0165-4004|Semiannual| |WALTER DE GRUYTER & CO +5705|Folia Linguistica Historica|Social Sciences, general / Real property; Rent|0168-647X|Annual| |MOUTON DE GRUYTER +5706|Folia Malacologica| |1506-7629|Irregular| |ASSOC POLISH MALACOL +5707|Folia Microbiologica|Microbiology / Microbiology|0015-5632|Bimonthly| |SPRINGER +5708|Folia Morphologica|Plant & Animal Science|0015-5659|Quarterly| |VIA MEDICA +5709|Folia Musei Historico-Naturalis Bakonyiensis| |0231-035X|Annual| |BAKONYI TERMESZETTUDOMANYI MUZEUM +5710|Folia Musei Rerum Naturalium Bohemia Occidentalis-Geologica| |0139-9764|Irregular| |ZAPADOCESKE MUZEUM +5711|Folia Musei Rerum Naturalium Bohemiae Occidentalis-Zoologica| |0139-9713|Semiannual| |ZAPADOCESKE MUZEUM +5712|Folia Neuropathologica|Neuroscience & Behavior|1641-4640|Quarterly| |VIA MEDICA +5713|Folia Parasitologica|Biology & Biochemistry|0015-5683|Quarterly| |FOLIA PARASITOLOGICA +5714|Folia Pharmaceutica Universitatis Carolinae| |1210-9495|Annual| |FOLIA PHARMACEUTICA +5715|Folia Pharmacologica Japonica|Pharmacology|0015-5691|Monthly| |JAPANESE PHARMACOLOGICAL SOC +5716|Folia Phoniatrica| |0015-5705|Bimonthly| |KARGER +5717|Folia Phoniatrica et Logopaedica|Social Sciences, general / Speech disorders; Voice disorders; Speech Disorders; Voice Disorders|1021-7762|Bimonthly| |KARGER +5718|Folia Primatologica|Plant & Animal Science / Primates; Primaten|0015-5713|Bimonthly| |KARGER +5719|Folia Quaternaria| |0015-573X|Annual| |POLSKA AKAD NAUK ZAKLAD NARODOWY IM OSSOLINSKICH +5720|Folia Zoologica|Plant & Animal Science|0139-7893|Quarterly| |INST VERTEBRATE BIOLOGY AS CR +5721|Folia Zoologica Monographs| |1213-1164|Irregular| |INST VERTEBRATE BIOLOGY AS CR +5722|Folk Life| |0430-8778|Annual| |SOC FOLK LIFE STUD +5723|Folk Music Journal| |0531-9684|Annual| |ENGLISH FOLK DANCE SONG SOC. +5724|Folklore|Folklore; Manners and customs; Volkscultuur; Coutume; Moeurs|0015-587X|Tri-annual| |ROUTLEDGE JOURNALS +5725|Folklore-Electronic Journal of Folklore| |1406-0957|Tri-annual| |ESTONIAN LITERARY MUSEUM +5726|Fontes Artis Musicae| |0015-6191|Quarterly| |A-R EDITIONS +5727|Fontilles| |0367-2743|Tri-annual| |SANATORIO LEPROLOGICO SAN FRANCISCO BORJA +5728|Food Additives & Contaminants Part B-Surveillance|Agricultural Sciences /|1939-3210| | |TAYLOR & FRANCIS LTD +5729|Food Additives and Contaminants Part A-Chemistry Analysis Control Exposure& Risk Assessment| |1944-0049|Monthly| |TAYLOR & FRANCIS LTD +5730|Food Analytical Methods|Agricultural Sciences /|1936-9751|Quarterly| |SPRINGER +5731|Food and Agricultural Immunology|Agricultural Sciences / Immunochemistry; Food; Immunoassay; Environmental Microbiology; Food Analysis; Food Contamination; Immunologie; Levensmiddelen; Landbouwproducten|0954-0105|Quarterly| |TAYLOR & FRANCIS LTD +5732|Food and Bioprocess Technology|Agricultural Sciences /|1935-5130|Quarterly| |SPRINGER +5733|Food and Bioproducts Processing|Agricultural Sciences / Food industry and trade; Biochemical engineering|0960-3085|Quarterly| |INST CHEMICAL ENGINEERS +5734|Food and Chemical Toxicology|Agricultural Sciences / Toxicology; Food poisoning; Food Poisoning|0278-6915|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +5735|Food and Drug Law Journal|Agricultural Sciences|1064-590X|Quarterly| |FOOD DRUG LAW INST +5736|Food and Environmental Virology| |1867-0334|Quarterly| |SPRINGER +5737|Food and Nutrition Bulletin|Agricultural Sciences|0379-5721|Quarterly| |INT NUTRITION FOUNDATION +5738|Food Australia|Agricultural Sciences|1032-5298|Monthly| |AUSTRALIAN INST FOOD SCIENCE TECHNOLOGY INC +5739|Food Biophysics|Agricultural Sciences / Food; Biophysics|1557-1858|Quarterly| |SPRINGER +5740|Food Biotechnology|Agricultural Sciences / Food; Biotechnology; Food Technology; Food-Processing Industry|0890-5436|Tri-annual| |TAYLOR & FRANCIS INC +5741|Food Chemistry|Agricultural Sciences / Food; Chemistry; Food Analysis|0308-8146|Semimonthly| |ELSEVIER SCI LTD +5742|Food Control|Agricultural Sciences / Food industry and trade; Food; Food handling; Food Analysis; Food Handling; Food Services; Food Technology; Food-Processing Industry; Quality Control; Levensmiddelen; Controle|0956-7135|Bimonthly| |ELSEVIER SCI LTD +5743|Food Hydrocolloids|Agricultural Sciences / Colloids; Food additives; Food Analysis|0268-005X|Bimonthly| |ELSEVIER SCI LTD +5744|Food Hygiene and Safety Science|Food contamination; Food; Food Additives; Food Analysis; Food Microbiology|0015-6426|Bimonthly| |FOOD HYG SOC JPN +5745|Food Irradiation Japan| |0387-1975|Semiannual| |JAPANESE RESEARCH ASSOC FOOD IRRADIATION +5746|Food Microbiology|Agricultural Sciences / Food; Food Microbiology|0740-0020|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +5747|Food Policy|Economics & Business / Food supply|0306-9192|Bimonthly| |ELSEVIER SCI LTD +5748|Food Quality and Preference|Agricultural Sciences / Food preferences; Food; Food industry and trade|0950-3293|Bimonthly| |ELSEVIER SCI LTD +5749|Food Research International|Agricultural Sciences / Food industry and trade; Food; Food Technology; Food-Processing Industry|0963-9969|Monthly| |ELSEVIER SCIENCE BV +5750|Food Reviews International|Agricultural Sciences / Food; Nutrition; Food industry and trade|8755-9129|Quarterly| |TAYLOR & FRANCIS INC +5751|Food Science and Agricultural Chemistry| |1560-4152|Quarterly| |CHINESE AGRICULTURAL CHEMICAL SOC +5752|Food Science and Biotechnology|Agricultural Sciences /|1226-7708|Bimonthly| |SPRINGER +5753|Food Science and Technology International|Agricultural Sciences / Food|1082-0132|Bimonthly| |SAGE PUBLICATIONS LTD +5754|Food Science and Technology Research|Agricultural Sciences / Food; Food industry and trade|1344-6606|Quarterly| |KARGER +5755|Food Technology|Agricultural Sciences|0015-6639|Monthly| |INST FOOD TECHNOLOGISTS +5756|Food Technology and Biotechnology|Agricultural Sciences|1330-9862|Quarterly| |FACULTY FOOD TECHNOLOGY BIOTECHNOLOGY +5757|Foodborne Pathogens and Disease|Agricultural Sciences / Food; Foodborne diseases; Food Microbiology; Food Parasitology|1535-3141|Quarterly| |MARY ANN LIEBERT INC +5758|Foot & Ankle International|Clinical Medicine / Ankle; Ankle Injuries; Foot; Foot Injuries; Voeten; Enkels|1071-1007|Monthly| |AMER ORTHOPAEDIC FOOT & ANKLE SOC +5759|Forbes|Economics & Business|0015-6914|Biweekly| |FORBES INC +5760|Fordham Law Review|Social Sciences, general|0015-704X|Bimonthly| |FORDHAM UNIV SCHOOL LAW +5761|Foreign Affairs|Social Sciences, general|0015-7120|Bimonthly| |COUNC FOREIGN RELAT INC +5762|Foreign Language Annals|Social Sciences, general / Languages, Modern|0015-718X|Quarterly| |WILEY-BLACKWELL PUBLISHING +5763|Foreign Literature Studies| |1003-7519|Bimonthly| |CENTRAL CHINA NORMAL UNIV +5764|Foreign Policy Analysis|International relations; World politics; Relations internationales; Politique mondiale; Buitenlandse politiek|1743-8586|Quarterly| |JOHN WILEY & SONS INC +5765|Forensic Science International|Clinical Medicine / Medical jurisprudence; Chemistry, Forensic; Forensic Medicine; Gerechtelijke geneeskunde; Gerechtelijke chemie; Gerechtelijke psychiatrie|0379-0738|Monthly| |ELSEVIER IRELAND LTD +5766|Forensic Science International-Genetics|Molecular Biology & Genetics / Forensic genetics|1872-4973|Quarterly| |ELSEVIER IRELAND LTD +5767|Forensic Science Medicine and Pathology|Clinical Medicine / Forensic medicine; Forensic science; Forensic pathology; Forensic Medicine|1547-769X|Quarterly| |HUMANA PRESS INC +5768|Forensic Toxicology|Pharmacology & Toxicology / Medical jurisprudence; Toxicology; Forensic Toxicology|1860-8965|Semiannual| |SPRINGER +5769|Forest Ecology and Management|Environment/Ecology / Forests and forestry; Forest management; Forest ecology; Forêts; Écologie forestière|0378-1127|Semimonthly| |ELSEVIER SCIENCE BV +5770|Forest Pathology|Environment/Ecology / Trees; Forests and forestry|1437-4781|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5771|Forest Policy and Economics|Plant & Animal Science / Forest policy; Forests and forestry|1389-9341|Quarterly| |ELSEVIER SCIENCE BV +5772|Forest Products Journal|Plant & Animal Science|0015-7473|Monthly| |FOREST PRODUCTS SOC +5773|Forest Research| |1001-1498|Bimonthly| |CHINESE ACAD FORESTRY +5774|Forest Science|Plant & Animal Science|0015-749X|Bimonthly| |SOC AMER FORESTERS +5775|Forest Snow and Landscape Research| |1424-5108|Tri-annual| |PAUL HAUPT AG BERN +5776|Forest Systems| |2171-5068|Tri-annual| |INST NACIONAL INVESTIGACION TECHNOLOGIA AGRARIA ALIMENTARIA +5777|Forestry|Plant & Animal Science / Forests and forestry; Forêts|0015-752X|Bimonthly| |OXFORD UNIV PRESS +5778|Forestry Chronicle|Plant & Animal Science|0015-7546|Bimonthly| |CANADIAN INST FORESTRY +5779|Forestry Commission Practice Note| | |Irregular| |FORESTRY COMMISSION PUBL +5780|Forestry Studies in China|Forests and forestry|1008-1321|Semiannual| |BEIJING FORESTRY UNIV +5781|Forktail| |0950-1746|Annual| |ORIENTAL BIRD CLUB +5782|Formal Aspects of Computing|Computer Science / Computer science|0934-5043|Quarterly| |SPRINGER +5783|Formal Methods in System Design|Computer Science / System design|0925-9856|Bimonthly| |SPRINGER +5784|Formosan Entomologist| |1680-7650|Quarterly| |TAIWAN ENTOMOLOGICAL SOC +5785|Formulary|Clinical Medicine|1082-801X|Monthly| |ADVANSTAR COMMUNICATIONS INC +5786|Forschende Komplementarmedizin|Clinical Medicine|1021-7096|Bimonthly| |KARGER +5787|Forschung Im Ingenieurwesen-Engineering Research|Engineering / Engineering; Heat; Strains and stresses; Ingénierie; Chaleur; Contraintes (Mécanique) / Engineering; Heat; Strains and stresses; Ingénierie; Chaleur; Contraintes (Mécanique) / Engineering; Heat; Strains and stresses; Ingénierie; Chaleur; Co|0015-7899|Bimonthly| |SPRINGER HEIDELBERG +5788|Forstschutz Aktuell| |1815-5103|Irregular| |FORSTLICHE BUNDESVERSUCHSANSTALT +5789|Forth Naturalist & Historian| |0309-7560|Annual| |FORTH NATURALIST HISTORIAN EDITORIAL BOARD +5790|Fortschritte der Neurologie Psychiatrie|Clinical Medicine / Neurology; Psychiatry|0720-4299|Monthly| |GEORG THIEME VERLAG KG +5791|Fortschritte der Neurologie und Psychiatrie und Ihrer Grenzgebiete| |0015-8194|Irregular| |GEORG THIEME VERLAG KG +5792|Fortschritte der Physik-Progress of Physics|Physics / Physics; Natuurkunde|0015-8208|Bimonthly| |WILEY-V C H VERLAG GMBH +5793|Fortune|Economics & Business|0015-8259|Biweekly| |TIME INC +5794|Forum der Psychoanalyse|Psychiatry/Psychology / Psychoanalysis|0178-7667|Quarterly| |SPRINGER +5795|Forum for Modern Language Studies|Languages, Modern; Philology, Modern; Langues vivantes; Philologie; Étude; Langue vivante; Linguistique; Littérature; Histoire littéraire|0015-8518|Quarterly| |OXFORD UNIV PRESS +5796|Forum Italicum| |0014-5858|Semiannual| |FORUM ITALICUM +5797|Forum Magazine of the American Tarantula Society| | |Quarterly| |AMER TARANTUAL SOC +5798|Forum Mathematicum|Mathematics / Mathematics; Mathematical physics|0933-7741|Bimonthly| |WALTER DE GRUYTER & CO +5799|Forum Modernes Theater| |0930-5874|Semiannual| |GUNTER NARR VERLAG +5800|Forum of Nutrition| |1660-0347|Irregular| |KARGER +5801|Forum-A Journal of Applied Research in Contemporary Politics| |1540-8884|Quarterly| |BERKELEY ELECTRONIC PRESS +5802|Fosil| |0717-9235|Monthly| |FOSIL +5803|Fossil Collector| |1037-2997|Irregular| |FOSSIL COLLECTORS ASSOC AUSTRALASIA +5804|Fossil Record|Geosciences / Paleontology; Fossils; Geology|1435-1943|Semiannual| |WILEY-V C H VERLAG GMBH +5805|Fossil Species of Florida| |1546-6639|Irregular| |FLORIDA PALEONTOLOGICAL SOC +5806|Fossilien| |0175-5021|Bimonthly| |GOLDSCHNECK-VERLAG +5807|Fossilium Catalogus Animalia| |1572-6525|Irregular| |BACKHUYS PUBL +5808|Fossils and Strata| |0300-9491|Irregular| |TAYLOR & FRANCIS LTD +5809|Fossils-Tokyo| |0022-9202|Irregular| |PALAEONTOLOGICAL SOC JAPAN +5810|Fottea|Plant & Animal Science|1802-5439|Semiannual| |CZECH PHYCOLOGICAL SOC +5811|Foundations of Computational Mathematics|Mathematics / Mathematics; Numerical analysis|1615-3375|Quarterly| |SPRINGER +5812|Foundations of Physics|Physics / Physics; Science; Natuurkunde|0015-9018|Monthly| |SPRINGER +5813|Foundations of Science|Social Sciences, general / Science|1233-1821|Quarterly| |SPRINGER +5814|Fourrages|Agricultural Sciences|0429-2766|Quarterly| |ASSOC FRANCAISE PRODUCTION FOURRAGERE +5815|Fractals-Complex Geometry Patterns and Scaling in Nature and Society|Physics / Fractals|0218-348X|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +5816|Fragmenta Dipterologica| |1565-8015|Irregular| |ANDY Z LEHRER +5817|Fragmenta Entomologica| |0429-288X|Irregular| |UNIV DEGLI STUDI DI ROMA LA SAPIENZA +5818|Fragmenta Faunistica| |0015-9301|Semiannual| |MUSEUM & INST ZOOLOGY +5820|Fragmenta Palaeontologica Hungarica| |1586-930X|Irregular| |HUNGARIAN NATURAL HISTORY MUSEUM +5821|Francais Moderne| |0015-9409|Semiannual| |CONSEIL INT LANGUE FRANCAISE +5822|Free Radical Biology and Medicine|Biology & Biochemistry / Free radicals (Chemistry); Biology; Free Radicals; Medicine; Radicaux libres (Chimie)|0891-5849|Semimonthly| |ELSEVIER SCIENCE INC +5823|Free Radical Research|Biology & Biochemistry / Free radicals (Chemistry); Free radical reactions; Antioxidants; Free Radicals; Radicalen (chemie)|1071-5762|Monthly| |TAYLOR & FRANCIS LTD +5824|Freiberger Forschungshefte Reihe C| |0071-9404|Annual| |TECHNISCHE UNIV BERGAKADEMIE FREIBERG +5825|French Cultural Studies| |0957-1558|Tri-annual| |SAGE PUBLICATIONS INC +5826|French Forum| |0098-9355|Tri-annual| |UNIV NEBRASKA PRESS +5827|French Historical Studies| |0016-1071|Semiannual| |DUKE UNIV PRESS +5828|French History| |0269-1191|Quarterly| |OXFORD UNIV PRESS +5829|French Review| |0016-111X|Bimonthly| |AMER ASSOC TEACHERS FRENCH +5830|French Studies|French literature; Frans; Letterkunde; Taalkunde|0016-1128|Quarterly| |OXFORD UNIV PRESS +5831|Frequenz|Engineering|0016-1136|Bimonthly| |FACHVERLAG SCHIELE SCHON +5832|Fresenius Environmental Bulletin|Environment/Ecology|1018-4619|Monthly| |PARLAR SCIENTIFIC PUBLICATIONS (P S P) +5833|Freshwater Biological Association Occasional Publication| |0308-6739|Irregular| |FRESHWATER BIOLOGICAL ASSOC +5834|Freshwater Biological Association Scientific Publication| |0367-1887|Irregular| |FRESHWATER BIOLOGICAL ASSOC +5835|Freshwater Biology|Plant & Animal Science / Freshwater biology; Limnologie; Zoetwaterdieren; Zoetwaterplanten; Biologie d'eau douce; Écologie des lacs; Écologie des cours d'eau; Écologie d'eau douce / Freshwater biology; Limnologie; Zoetwaterdieren; Zoetwaterplanten; Biolo|0046-5070|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5836|Freshwater Forum| |0961-4664|Tri-annual| |FRESHWATER BIOLOGICAL ASSOC +5837|Freshwater Reviews| |1755-084X|Semiannual| |FRESHWATER BIOLOGICAL ASSOC +5838|Frodskaparrit| |0367-1704|Irregular| |FOROYA FRODSKAPARFELAG +5839|Frog Leg| | |Semiannual| |ZOO OUTREACH ORGANISATION +5840|Frontier Madagascar Environmental Research Report| |1479-120X|Irregular| |SOC ENVIRONMENTAL EXPLORATION (FRONTIER) +5841|Frontiers in Bioscience-Landmark|Biology; Medicine; Biological Sciences|1093-9946|Semiannual| |FRONTIERS IN BIOSCIENCE INC +5842|Frontiers in Ecology and the Environment|Environment/Ecology / Ecology; Environmental sciences|1540-9295|Monthly| |ECOLOGICAL SOC AMER +5843|Frontiers in Human Neuroscience|Neuroscience & Behavior /|1662-5161|Irregular| |FRONTIERS RES FOUND +5844|Frontiers in Neural Circuits| |1662-5110|Monthly| |FRONTIERS RES FOUND +5845|Frontiers in Neuroendocrinology|Neuroscience & Behavior / Neuroendocrinology; Endocrinology; Neurology; Psychophysiology|0091-3022|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5846|Frontiers in Zoology|Plant & Animal Science / Zoology|1742-9994|Annual| |BIOMED CENTRAL LTD +5847|Frontiers of Environmental Science & Engineering in China|Environment/Ecology /|1673-7415|Quarterly| |HIGHER EDUCATION PRESS +5848|Frontiers of Hormone Research|Biology & Biochemistry|0301-3073|Annual| |KARGER +5849|Frontiers of Mathematics in China|Mathematics /|1673-3452|Quarterly| |HIGHER EDUCATION PRESS +5850|Frontiers of Medical and Biological Engineering|Biomedical engineering; Bioengineering; Biomedical Engineering; Electronics, Medical|0921-3775|Quarterly| |VSP BV +5851|Frontiers of Physics in China| |1673-3487|Quarterly| |HIGHER EDUCATION PRESS +5852|Frontiers of Radiation Therapy and Oncology|Clinical Medicine|0071-9676|Annual| |KARGER +5853|Frontiers-A Journal of Women Studies|Social Sciences, general / Women's studies; Women; Études sur les femmes; Vrouwenstudies|0160-9009|Tri-annual| |UNIV NEBRASKA PRESS +5854|Fruits|Agricultural Sciences / Fruit-culture|0248-1294|Bimonthly| |EDP SCIENCES S A +5855|Frustula Entomologica| |0532-7679|Annual| |UNIV PISA +5856|Fudan Xuebao-Yixueban| |1672-8467|Bimonthly| |FUDAN UNIV +5857|Fudan Xuebao-Yixuekexueban| |0257-8131|Bimonthly| |FUDAN UNIV +5858|Fuel|Chemistry / Fuel; Coal|0016-2361|Monthly| |ELSEVIER SCI LTD +5859|Fuel Cells|Engineering / Fuel cells|1615-6846|Bimonthly| |WILEY-V C H VERLAG GMBH +5860|Fuel Processing Technology|Chemistry / Fuel; Combustibles|0378-3820|Monthly| |ELSEVIER SCIENCE BV +5861|Fujian Nongye Xuebao| |1008-0384|Quarterly| |FUJIAN ACAD AGRICULTURAL SCIENCES +5862|Fujitsu Scientific & Technical Journal|Engineering|0016-2523|Quarterly| |FUJITSU LTD +5863|Fukui-Shi Shizenshi Hakubutsukan Kenkyu Hokoku| |0919-9691|Annual| |FUKUI CITY MUSEUM NATURAL HISTORY +5864|Fukuoka Acta Medica| |0016-254X|Monthly| |FUKUOKA IGAKKAI +5865|Fullerenes Nanotubes and Carbon Nanostructures|Chemistry / Fullerenes; Nanotubes; Nanostructures / Fullerenes; Nanotubes; Nanostructures|1536-383X|Quarterly| |TAYLOR & FRANCIS INC +5866|Functional & Integrative Genomics|Molecular Biology & Genetics / Genomes; Gene mapping; Nucleotide sequence; Génomes; Cartes chromosomiques; Séquence nucléotidique; Genome; Chromosome Mapping; Genetic Techniques / Genomes; Gene mapping; Nucleotide sequence; Génomes; Cartes chromosomiques|1438-793X|Bimonthly| |SPRINGER HEIDELBERG +5867|Functional Analysis and Its Applications|Mathematics / Functional analysis; Analyse fonctionnelle|0016-2663|Quarterly| |CONSULTANTS BUREAU/SPRINGER +5868|Functional Ecology|Environment/Ecology / Ecology; Écologie|0269-8463|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5869|Functional Materials Letters|Materials Science /|1793-6047|Tri-annual| |WORLD SCIENTIFIC PUBL CO PTE LTD +5870|Functional Neurology|Neuroscience & Behavior|0393-5264|Quarterly| |C I C-EDIZIONI INT SRL +5871|Functional Plant Biology|Plant & Animal Science / Plant physiology|1445-4408|Monthly| |CSIRO PUBLISHING +5872|Functions of Language|Social Sciences, general / Linguistics; Language and languages; Semiotics; Functionele taalkunde|0929-998X|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +5873|Fundacion Miguel Lillo Miscelanea| |0074-025X|Irregular| |FUNDACION MIGUEL LILLO +5874|Fundamenta Informaticae|Computer Science|0169-2968|Monthly| |IOS PRESS +5875|Fundamenta Mathematicae|Mathematics / Mathematics|0016-2736|Monthly| |POLISH ACAD SCIENCES INST MATHEMATICS +5876|Fundamental & clinical Pharmacology|Pharmacology & Toxicology / Pharmacology / Pharmacology|0767-3981|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5877|Fundamental and Applied Limnology|Plant & Animal Science / Limnology; Aquatic biology; Limnologie; Hydrobiologie|1863-9135|Monthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +5878|Fungal Biology|Plant & Animal Science /|1878-6146|Monthly| |ELSEVIER SCI LTD +5879|Fungal Biology Reviews|Mycology; Fungi|1749-4613|Quarterly| |ELSEVIER SCI LTD +5880|Fungal Diversity|Plant & Animal Science /|1560-2745|Bimonthly| |SPRINGER +5881|Fungal Ecology|Plant & Animal Science /|1754-5048|Quarterly| |ELSEVIER SCI LTD +5882|Fungal Genetics and Biology|Plant & Animal Science / Mycology; Fungi; Biology; Champignons; Mycologie|1087-1845|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5883|Funkcialaj Ekvacioj-Serio Internacia|Mathematics / Functional equations|0532-8721|Tri-annual| |KOBE UNIV +5884|Fusion Engineering and Design|Engineering / Nuclear engineering; Génie nucléaire; Fusion nucléarie; Kernfusion; Kerntechnik|0920-3796|Semimonthly| |ELSEVIER SCIENCE SA +5885|Fusion Science and Technology|Engineering|1536-1055|Bimonthly| |AMER NUCLEAR SOC +5886|Futao| |0916-1112|Tri-annual| |FUTAO-KAI +5887|Future Generation Computer Systems-The International Journal of Grid Computing-Theory Methods and Applications|Computer Science / Computers; Electronic data processing; Electronic digital computers|0167-739X|Bimonthly| |ELSEVIER SCIENCE BV +5888|Future Medicinal Chemistry|Chemistry /|1756-8919|Monthly| |FUTURE SCI LTD +5889|Future Microbiology|Microbiology / Infection; Bacterial diseases; Mycoses; Virus diseases; Bacterial Infections; Virus Diseases|1746-0913|Monthly| |FUTURE MEDICINE LTD +5890|Future of Children|Social Sciences, general / Child welfare; Children; Child Welfare; Program Evaluation; Public Policy|1054-8289|Tri-annual| |PRINCETON UNIV +5891|Future Oncology|Clinical Medicine / Neoplasms|1479-6694|Monthly| |FUTURE MEDICINE LTD +5892|Future Virology|Microbiology / Medical virology; Virus diseases; Virology|1746-0794|Bimonthly| |FUTURE MEDICINE LTD +5893|Futures|Economics & Business / Economic forecasting; Technological forecasting; Economic policy|0016-3287|Bimonthly| |ELSEVIER SCI LTD +5894|Futurist|Social Sciences, general|0016-3317|Bimonthly| |WORLD FUTURE SOC +5895|Fuzzy Optimization and Decision Making|Computer Science / Mathematical optimization; Fuzzy logic; Fuzzy sets; Fuzzy algorithms; Decision making; Besliskunde; Fuzzy theorie|1568-4539|Quarterly| |SPRINGER +5896|Fuzzy Sets and Systems|Engineering / Fuzzy sets; Fuzzy systems|0165-0114|Semimonthly| |ELSEVIER SCIENCE BV +5897|Gaceta Ecologica| |1405-2849|Quarterly| |INST NACIONAL ECOLOGIA +5898|Gaceta Medica de Mexico|Clinical Medicine|0016-3813|Bimonthly| |ACAD NACIONAL MEDICINA MEXICO +5899|Gaceta Sanitaria|Social Sciences, general / Public health; Public health administration; Public Health; Public Health Administration|0213-9111|Bimonthly| |ELSEVIER +5900|Gaea| |1808-5261|Semiannual| |UNIV DO VALE DO RIO DOS SINOS +5901|Gaia - Athens| |1107-311X|Irregular| |UNIV ATHENS +5902|Gaia - Lisboa| |0871-5424|Irregular| |MUSEU NACIONAL HISTORIA NATURAL +5903|Gaia-Ecological Perspectives for Science and Society|Social Sciences, general|0940-5550|Quarterly| |OEKOM VERLAG +5904|Gait & Posture|Clinical Medicine / Gait in humans; Posture; Human mechanics; Gait; Locomotion; Walking|0966-6362|Bimonthly| |ELSEVIER IRELAND LTD +5905|Gajah| |1391-1996|Irregular| |IUCN-SSC ASIAN ELEPHANT SPECIALIST GROUP +5906|Galapagos Research| |1390-2830|Irregular| |CHARLES DARWIN FOUNDATION GALAPAGOS ISLANDS +5907|Galathea| |0930-0465|Quarterly| |KREIS NURNBERGER ENTOMOLOGEN E V +5908|Galathea Report| |0416-704X|Irregular| |APOLLO BOOKS +5909|Galemys| |1137-8700|Annual| |SOC ESPANOLA CONSERVACION ESTUDIO MAMMIFEROS-SECEM +5910|Game & Wildlife Science| |1622-7662|Quarterly| |OFFICE NATL CHASSE FAUNE SAUVAGE +5911|Games and Economic Behavior|Economics & Business / Game theory; Economics, Mathematical|0899-8256|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5912|Gap Analysis Bulletin| | |Annual| |US GEOLOGICAL SURVEY +5913|Garcia de Orta Serie de Zoologia| |0253-0597|Irregular| |INST INVESTIGACAO CIENTIFICA TROPICAL +5914|Garcia de Orta-Serie de Botanica| |0379-9506|Irregular| |INST INVESTIGACAO CIENTIFICA TROPICAL +5915|Gardens Bulletin-Singapore| |0374-7859|Semiannual| |NATIONAL PARKS BOARD +5916|Gastric Cancer|Clinical Medicine / Stomach; Stomach Neoplasms|1436-3291|Quarterly| |SPRINGER +5917|Gastroenterología y Hepatología|Gastroenterology; Liver Diseases|0210-5705|Monthly| |ELSEVIER DOYMA SL +5918|Gastroentérologie Clinique et Biologique|Clinical Medicine / Gastroenterology|0399-8320|Monthly| |MASSON EDITEUR +5919|Gastroenterology|Clinical Medicine / Gastroenterology; Spijsvertering; Gastroentérologie|0016-5085|Monthly| |W B SAUNDERS CO-ELSEVIER INC +5920|Gastroenterology Clinics of North America|Clinical Medicine / Gastroenterology|0889-8553|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +5921|Gastroenterology Nursing|Social Sciences, general / Gastrointestinal Diseases; Physician Assistants|1042-895X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +5922|Gastrointestinal Endoscopy|Clinical Medicine / Endoscopy; Gastrointestinal system; Gastroenterology|0016-5107|Monthly| |MOSBY-ELSEVIER +5923|Gayana|Plant & Animal Science|0717-652X|Semiannual| |EDICIONES UNIV +5924|Gayana Botánica|Plant & Animal Science /|0016-5301|Irregular| |EDICIONES UNIV +5925|Gazella| |0231-8865|Annual| |PRAGUE ZOO +5926|Gazi Universitesi Eczacilik Fakultesi Dergisi-Journal of Faculty of Pharmacy of Gazi University| |1015-9592|Semiannual| |GAZI UNIV +5927|Gazi Universitesi Fen Bilimleri Dergisi| |1303-9709|Quarterly| |GAZI UNIV +5928|Gazi Univertesi Gazi Egitim Fakultesi Dergisi| |1300-1876|Quarterly| |GAZI UNIV +5929|Gazzetta Medica Italiana Archivio per Le Scienze Mediche| |0393-3660|Bimonthly| |EDIZIONI MINERVA MEDICA +5930|Geburtshilfe und Frauenheilkunde|Clinical Medicine / Gynecology; Obstetrics|0016-5751|Monthly| |GEORG THIEME VERLAG KG +5931|Gedrag & Organisatie|Social Sciences, general|0921-5077|Quarterly| |UITGEVERIJ LEMMA B V +5932|Geelong Bird Report| |1323-2681|Annual| |GEELONG FIELD NATURALISTS CLUB INC +5933|Gefahrstoffe Reinhaltung der Luft|Engineering|0949-8036|Monthly| |SPRINGER-VDI VERLAG GMBH & CO KG +5934|Gefässchirurgie|Clinical Medicine /|0948-7034|Bimonthly| |SPRINGER +5935|Gefiederte Welt| |0016-5816|Monthly| |EUGEN ULMER GMBH CO +5936|Gekkan-Mushi| |0388-418X|Monthly| |MUSHI-SHA +5937|Gematologiya I Transfuziologiya|Clinical Medicine|0234-5730|Bimonthly| |MINISTERSTVO ZDRAVOOKHRANENIYA +5938|Gems & Gemology|Geosciences|0016-626X|Quarterly| |GEMOLOGICAL INST AMER +5939|Gender & Society|Social Sciences, general / Sex role; Feminism; Sekserol; Feminisme; Sociologie; Emancipatie / Sex role; Feminism; Sekserol; Feminisme; Sociologie; Emancipatie|0891-2432|Bimonthly| |SAGE PUBLICATIONS INC +5940|Gender and Education|Social Sciences, general / Sex discrimination in education; Sex role; Women; Onderwijs; Seksen|0954-0253|Quarterly| |ROUTLEDGE JOURNALS +5941|Gender Medicine|Sex factors in disease; Women; Medicine; Sex Factors; Women's Health|1550-8579|Quarterly| |EXCERPTA MEDICA INC-ELSEVIER SCIENCE INC +5942|Gender Place and Culture|Social Sciences, general / Human geography; Feminism; Feministische geografie / Human geography; Feminism; Feministische geografie / Human geography; Feminism; Feministische geografie|0966-369X|Quarterly| |ROUTLEDGE JOURNALS +5943|Gender Work and Organization|Social Sciences, general / Women employees; Sex role in the work environment; Organizational sociology; Management; Arbeid; Sekserol; Arbeidsorganisaties / Women employees; Sex role in the work environment; Organizational sociology; Management; Arbeid; S|0968-6673|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5944|Gene|Molecular Biology & Genetics / Genetic engineering; Molecular cloning; Recombinant DNA; Molecular Biology; Recombination, Genetic; Génie génétique; Clonage moléculaire; ADN recombinant|0378-1119|Semimonthly| |ELSEVIER SCIENCE BV +5945|Gene Expression|Molecular Biology & Genetics / Gene expression; Genetic regulation; Gene Expression; Gene Expression Regulation|1052-2166|Bimonthly| |COGNIZANT COMMUNICATION CORP +5946|Gene Expression Patterns|Molecular Biology & Genetics / Gene expression; Central nervous system; Gene Expression; Central Nervous System; Genexpressie; Centraal zenuwstelsel|1567-133X|Bimonthly| |ELSEVIER SCIENCE BV +5947|Gene Therapy|Molecular Biology & Genetics / Gene therapy; Gene Therapy; Gentherapie|0969-7128|Semimonthly| |NATURE PUBLISHING GROUP +5948|Gene Therapy and Molecular Biology|Molecular Biology & Genetics|1529-9120|Monthly| |GENE THERAPY PRESS +5949|General and Applied Entomology| |0158-0760|Annual| |ENTOMOLOGICAL SOC NEW SOUTH WALES +5950|General and Comparative Endocrinology|Biology & Biochemistry / Endocrinology; Endocrinology, Comparative|0016-6480|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5951|General Dentistry| |0363-6771|Bimonthly| |ACAD GENERAL DENTISTRY +5952|General Fisheries Commission for the Mediterranean Studies and Reviews| |1020-9549|Irregular| |FAO-FOOD & AGRICULTURE ORG UNITED NATIONS +5953|General Hospital Psychiatry|Clinical Medicine / Psychiatry; Primary care (Medicine); Medicine and psychology; Psychiatric hospital care; Psychiatric Department, Hospital; Psychiatrie|0163-8343|Bimonthly| |ELSEVIER SCIENCE INC +5954|General Physiology and Biophysics|Biology & Biochemistry /|0231-5882|Quarterly| |GENERAL PHYSIOL AND BIOPHYSICS +5955|General Relativity and Gravitation|Physics / General relativity (Physics); Gravitation; Algemene relativiteitstheorie; Gravitatie|0001-7701|Monthly| |SPRINGER/PLENUM PUBLISHERS +5956|Generations-Journal of the American Society on Aging|Social Sciences, general|0738-7806|Quarterly| |AMER SOC AGING +5957|Genes & Development|Molecular Biology & Genetics / Genetics; Eukaryotic cells; Prokaryotes; Viral genetics; Cytogenetics; Gene Expression Regulation; Viruses / Genetics; Eukaryotic cells; Prokaryotes; Viral genetics; Cytogenetics; Gene Expression Regulation; Viruses|0890-9369|Semimonthly| |COLD SPRING HARBOR LAB PRESS +5958|Genes & Genetic Systems|Molecular Biology & Genetics / Genetics; Genes|1341-7568|Bimonthly| |GENETICS SOC JAPAN +5959|Genes & Genomics|Molecular Biology & Genetics /|1976-9571|Bimonthly| |SPRINGER +5960|Genes and Immunity|Molecular Biology & Genetics / Immunogenetics; Gene therapy; Immune system; Gene Therapy; Immune System; Genetica; Immuniteit|1466-4879|Bimonthly| |NATURE PUBLISHING GROUP +5961|Genes and Nutrition|Molecular Biology & Genetics / Nutrition|1555-8932|Quarterly| |SPRINGER +5962|Genes Brain and Behavior|Neuroscience & Behavior / Neurogenetics; Behavior genetics; Genetics, Behavioral; Mental Disorders; Nervous System Diseases / Neurogenetics; Behavior genetics; Genetics, Behavioral; Mental Disorders; Nervous System Diseases|1601-1848|Bimonthly| |WILEY-BLACKWELL PUBLISHING +5963|Genes Chromosomes & Cancer|Clinical Medicine / Cancer; Cell Transformation, Neoplastic; Chromosome Aberrations; Neoplasms|1045-2257|Monthly| |WILEY-LISS +5964|Genes to Cells|Molecular Biology & Genetics / Cytogenetics; Cells; Molecular genetics; Genes; Molecular biology; Cytology; Biomechanics; Cell Division; Gene Expression; Gene Rearrangement; Molecular Biology; Signal Transduction|1356-9597|Monthly| |WILEY-BLACKWELL PUBLISHING +5965|genesis|Molecular Biology & Genetics / Developmental genetics; Genetics; Developmental Biology; Embryology; Gene Expression Regulation; Ontwikkelingsbiologie; Genetica|1526-954X|Monthly| |WILEY-LISS +5966|Genetic Counseling|Clinical Medicine|1015-8146|Quarterly| |MEDECINE ET HYGIENE +5967|Genetic Engineering & Biotechnology News|Molecular Biology & Genetics|1935-472X|Semimonthly| |MARY ANN LIEBERT INC +5968|Genetic Epidemiology|Molecular Biology & Genetics / Genetic epidemiology; Heredity; Medical geography; Epidemiology; Genetics|0741-0395|Bimonthly| |WILEY-LISS +5969|Genetic Programming and Evolvable Machines|Computer Science / Genetic programming (Computer science); Genetic algorithms|1389-2576|Quarterly| |SPRINGER +5970|Genetic Psychology Monographs| |0016-6677|Quarterly| |HELDREF PUBLICATIONS +5971|Genetic Resources and Crop Evolution|Plant & Animal Science / Germplasm resources, Plant; Crops|0925-9864|Bimonthly| |SPRINGER +5972|Genetic Resources Communication| |0159-6071|Irregular| |CSIRO AUSTRALIA +5973|Genetic Testing and Molecular Biomarkers|Molecular Biology & Genetics /|1945-0265|Bimonthly| |MARY ANN LIEBERT INC +5974|Genetica|Molecular Biology & Genetics / Heredity; Evolution; Cytology; Genetics|0016-6707|Bimonthly| |SPRINGER +5975|Genetics|Molecular Biology & Genetics / Genetics; Genetica; Moleculaire biologie; Génétique|0016-6731|Monthly| |GENETICS SOC AM +5976|Genetics and Breeding| |0016-6766|Bimonthly| |BULGARIAN ACAD SCIENCE +5977|Genetics and Molecular Biology|Molecular Biology & Genetics / Genetics; Molecular Biology|1415-4757|Quarterly| |SOC BRASIL GENETICA +5978|Genetics and Molecular Research|Molecular Biology & Genetics /|1676-5680|Quarterly| |FUNPEC-EDITORA +5979|Genetics in Medicine|Clinical Medicine / Medical genetics; Genetics, Medical|1098-3600|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +5980|Genetics Research|Molecular Biology & Genetics / Genetics; Heredity; Genetica; Génétique; Hérédité|0016-6723|Bimonthly| |CAMBRIDGE UNIV PRESS +5981|Genetics Selection Evolution|Plant & Animal Science / Livestock; Animal genetics; Evolution; Animals, Domestic; Genetics; Selection (Genetics); Génétique animale; Évolution (Biologie); Sélection naturelle; Génétique|0999-193X|Bimonthly| |BIOMED CENTRAL LTD +5982|Genetika-Belgrade|Plant & Animal Science / Genetics|0534-0012|Tri-annual| |SERBIAN GENETICS SOC +5983|Geneva Papers on Risk and Insurance-Issues and Practice|Economics & Business / Risk (Insurance); Insurance / Risk (Insurance); Insurance|1018-5895|Quarterly| |PALGRAVE MACMILLAN LTD +5984|Geneva Risk and Insurance Review|Economics & Business / Insurance; Risk (Insurance); Assurance; Risque (Assurance)|1554-964X|Semiannual| |PALGRAVE MACMILLAN LTD +5985|Genome|Molecular Biology & Genetics / Genetics; Cytogenetics; Genomes; Genetica; Celbiologie|0831-2796|Bimonthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +5986|Genome Biology|Molecular Biology & Genetics / Genomes; Biology; Molecular biology; Genetics; Genome|1474-760X|Monthly| |BIOMED CENTRAL LTD +5987|Genome Biology and Evolution|Molecular Biology & Genetics /|1759-6653|Annual| |OXFORD UNIV PRESS +5988|Genome Research|Molecular Biology & Genetics / DNA polymerases; Genomes; Gene mapping; Nucleotide sequence; Génomes; Cartes chromosomiques; Génome humain; Réaction en chaîne de la polymérase; Génétique humaine; Génétique; Genetics; Genetic Techniques|1088-9051|Monthly| |COLD SPRING HARBOR LAB PRESS +5989|Genomics|Molecular Biology & Genetics / Gene mapping; Nucleotide sequence; Base Sequence; Chromosome Mapping; Genetics|0888-7543|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +5990|Genomics & Informatics| |1598-866X|Quarterly| |KOREA GENOME ORGANIZATION +5991|Genomics Proteomics & Bioinformatics|Genomics; Proteomics; Bioinformatics; Genetics; Computational Biology|1672-0229|Quarterly| |SCIENCE PRESS +5992|Genus| |0016-6987|Quarterly| |DIP SCIENZE DEMOGRAFICHE +5993|Genus-International Journal of Invertebrate Taxonomy| |0867-1710|Quarterly| |POLISH TAXONOMICAL SOC +5994|Geo Alp| |2070-4844|Annual| |University of Innsbruck +5995|Geo-Eco-Trop| |1370-6071|Quarterly| |GEO-ECO-TROP +5996|Geo-Marine Letters|Geosciences / Submarine geology|0276-0460|Quarterly| |SPRINGER +5997|Geoacta| |1721-8039|Semiannual| |ALMA MATER STUDIORUM +5998|Geoarabia|Geosciences|1025-6059|Quarterly| |GULF PETROLINK +5999|Geoarchaeology-An International Journal|Geosciences / Archaeological geology; Prehistorie; Archeologie|0883-6353|Bimonthly| |JOHN WILEY & SONS INC +6000|Geobiology|Biology & Biochemistry / Geobiology; Biological Sciences; Geology; Ecosystem|1472-4677|Quarterly| |WILEY-BLACKWELL PUBLISHING +6001|Geobios|Geosciences / Paleoecology; Paleontology; Geology, Stratigraphic|0016-6995|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +6002|Geobios Memoire Special| |0293-843X|Bimonthly| |UNIV CLAUDE BERNARD-LYON I +6003|Geobios-Jodhpur| |0251-1223|Quarterly| |GEOBIOS - ZION +6004|Geochemical Journal|Geosciences / Geochemistry|0016-7002|Bimonthly| |GEOCHEMICAL SOC JAPAN +6005|Geochemical Transactions|Geosciences / Geochemistry; Biogeochemistry; Chemistry; Environment|1467-4866|Monthly| |BIOMED CENTRAL LTD +6006|Geochemistry, Geophysics, Geosystems|Geosciences / Geochemistry; Geophysics; Earth sciences / Geochemistry; Geophysics; Earth sciences|1525-2027|Irregular| |AMER GEOPHYSICAL UNION +6007|Geochemistry International|Geosciences / Geochemistry|0016-7029|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6008|Geochemistry-Exploration Environment Analysis|Geosciences / Geochemistry; Geochemical prospecting; Environmental geochemistry|1467-7873|Quarterly| |GEOLOGICAL SOC PUBL HOUSE +6009|Geochimica et Cosmochimica Acta|Geosciences / Geochemistry; Meteorites|0016-7037|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +6010|Geochronometria|Geosciences /|1733-8387|Annual| |VERSITA +6011|Geociencias| |0101-9082|Quarterly| |UNIV ESTADUAL PAULISTA-UNESP +6012|Geoderma|Agricultural Sciences / Soils; Soil science|0016-7061|Monthly| |ELSEVIER SCIENCE BV +6013|Geodetski List|Geosciences|0016-710X|Quarterly| |CROATIAN GEODETIC SOC +6014|Geodetski Vestnik|Social Sciences, general|0351-0271|Quarterly| |ASSOC SURVEYORS SLOVENIA +6015|Geodinamica Acta|Geosciences / Geodynamics; Physical geography; Géographie physique; Géophysique; Géologie|0985-3111|Bimonthly| |LAVOISIER +6016|Geodiversitas|Geosciences|1280-9659|Quarterly| |PUBLICATIONS SCIENTIFIQUES DU MUSEUM +6017|Geofisica Internacional|Geosciences|0016-7169|Quarterly| |INST GEOPHYSICS UNAM +6019|Geofluids|Geosciences / Fluid dynamics; Hydrogeology; Groundwater; Fluids|1468-8115|Quarterly| |WILEY-BLACKWELL PUBLISHING +6020|Geoforum|Social Sciences, general / Earth sciences; Geography; Human geography; Regional planning; Environment; Geology; Oceanography|0016-7185|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +6021|Geogaceta| |0213-683X|Semiannual| |SOC GEOLOGICA ESPANA +6022|Geografia Fisica E Dinamica Quaternaria|Geosciences|0391-9838|Semiannual| |COMITATO GLACIOLOGICO ITALIANO +6023|Geografie|Social Sciences, general|1212-0014|Quarterly| |CZECH GEOGRAPHIC SOC +6024|Geografisk Tidsskrift-Danish Journal of Geography|Social Sciences, general|0016-7223|Semiannual| |ROYAL DANISH GEOGRAPHICAL SOC +6025|Geografiska Annaler Series A-Physical Geography|Geosciences / Geography|0435-3676|Quarterly| |WILEY-BLACKWELL PUBLISHING +6026|Geografiska Annaler Series B-Human Geography|Social Sciences, general / Human geography|0435-3684|Quarterly| |WILEY-BLACKWELL PUBLISHING +6027|Geographical Analysis|Social Sciences, general / Geography; Géographie|0016-7363|Quarterly| |WILEY-BLACKWELL PUBLISHING +6028|Geographical Journal|Social Sciences, general / Geography|0016-7398|Quarterly| |WILEY-BLACKWELL PUBLISHING +6029|Geographical Research|Social Sciences, general / Geography|1745-5863|Quarterly| |WILEY-BLACKWELL PUBLISHING +6030|Geographical Review|Social Sciences, general / Geography; Geografie; Géographie|0016-7428|Quarterly| |AMER GEOGRAPHICAL SOC +6031|Geographical Teacher|Geography|1933-8341| | |GEOGRAPHICAL ASSOC +6032|Geographische Zeitschrift|Social Sciences, general|0016-7479|Quarterly| |FRANZ STEINER VERLAG GMBH +6033|Geography|Social Sciences, general|0016-7487|Tri-annual| |GEOGRAPHICAL ASSOC +6034|GeoInformatica|Geosciences / Geographic information systems; Geography|1384-6175|Quarterly| |SPRINGER +6035|Geologia Colombiana| |0072-0992|Irregular| |DEPARTAMENTO GEOCIENCIAS +6036|Geologia Croatica|Geosciences|1330-030X|Tri-annual| |INST GEOLOSKA ISTRAZIVANJA +6037|Geologia Insubrica| |1420-9500|Semiannual| |GEOLOGIA INSUBRICA +6038|Geologia Sudetica-Wroclaw| |0072-100X|Annual| |INST NAUK GEOLOGICZYNCH +6039|Geologia Usp-Serie Cientifica| |1519-874X|Annual| |UNIV SAO PAULO +6040|Geologica Acta|Geosciences|1695-6133|Quarterly| |UNIV BARCELONA +6041|Geologica Balcanica| |0324-0894|Irregular| |GEOLOGICAL INST +6042|Geologica Bavarica| |0016-755X|Irregular| |BAYERISCHES GEOLOGISCHES LANDESAMT +6043|Geologica Belgica|Geosciences|1374-8505|Quarterly| |GEOLOGICA BELGICA +6044|Geologica Carpathica|Geosciences /|1335-0552|Bimonthly| |SLOVAK ACADEMIC PRESS LTD +6045|Geologica et Palaeontologica| |0072-1018|Annual| |PHILIPPS-UNIV MARBURG +6046|Geologica Hungarica Series Geologica| |0367-4150|Irregular| |MK TECHNICAL PAPERS +6047|Geologica Hungarica Series Palaeontologica| |0374-1893|Irregular| |MAGYAR ALLAMI FOLDTANI INTEZET +6048|Geologica Macedonica| |0352-1206|Annual| |FAC MINING GEOLOGY +6049|Geologica Pannonica| |1788-4004|Annual| |HANTKEN PRESS +6050|Geologica Saxonica| |1617-8467|Irregular| |STAATLICHE NATURHISTORISCHE SAMMLUNGEN DRESDEN +6051|Geologica Ultraiectina| |0072-1026|Irregular| |UNIV UTRECHT +6052|Geological Bulletin of the Punjab University| |0079-8037|Semiannual| |UNIV PUNJAB +6053|Geological Bulletin of Turkey| |1300-6827|Semiannual| |CHAMBER GEOLOGICAL ENGINEERS TURKEY +6054|Geological Curator| |0144-5294|Semiannual| |GEOLOGICAL CURATORS GROUP +6055|Geological Journal|Geosciences / Geology; Geologie|0072-1050|Tri-annual| |JOHN WILEY & SONS LTD +6056|Geological Magazine|Geosciences / Geology; Geologie; Géologie|0016-7568|Bimonthly| |CAMBRIDGE UNIV PRESS +6057|Geological Quarterly|Geosciences|1641-7291|Quarterly| |Polish Geological Institute - National Research Institute +6058|Geological Review| |0371-5736|Bimonthly| |CHINA INT BOOK TRADING CORP +6059|Geological Society of America Bulletin|Geosciences / Geology; Geologie|0016-7606|Monthly| |GEOLOGICAL SOC AMER +6060|Geological Survey of Alabama Bulletin| |0097-3262|Irregular| |GEOLOGICAL SURVEY ALABAMA +6061|Geological Survey of Alabama Monograph| |0886-7526|Irregular| |GEOLOGICAL SURVEY ALABAMA +6062|Geological Survey of Canada Bulletin| |0068-7626|Irregular| |CANADA COMMUNICATIONS GROUP - PUBLISHING +6063|Geological Survey of Denmark and Greenland Bulletin|Geosciences|1811-4598|Irregular| |GEOLOGICAL SOC DENMARK +6064|Geological Survey of Israel Bulletin| |0075-1200|Irregular| |GEOLOGICAL SURVEY ISRAEL +6065|Geological Survey of Namibia Memoir| |1018-4325|Irregular| |GEOLOGICAL SURVEY NAMIBIA +6066|Geological Survey of Western Australia Bulletin| |0085-8137|Irregular| |GEOLOGICAL SURVEY WESTERN AUSTRALIA +6067|Geologicke Prace| |0433-4795|Irregular| |GEOLOGICKY USTAV DIONYZA STURA +6068|Geologie de la France| |0246-0874|Quarterly| |EDITIONS BRGM +6069|Geologie und Palaeontologie in Westfalen| |0176-148X|Irregular| |GEOLOGIE PALAEONTOLOGIE WESTFALEN +6070|Geologija - Ljubljana| |0016-7789|Annual| |GEOLOGICAL SURVEY SLOVENIA +6071|Geologija - Vilnius| |1392-110X|Annual| |ACAD PRESS LITH +6072|Geologisch-Palaeontologische Mitteilungen| |0378-6870|Irregular| |INST GEOLOGIE PALAEONTOLOGIE +6073|Geologische Abhandlungen Hessen| |0341-4043|Irregular| |HESSISCHES LANDESAMT UMWELT GEOLOGIE +6074|Geologische Beitraege Hannover| |1615-6684|Irregular| |UNIV HANNOVER +6075|Geologische Blaetter fuer Nordost-Bayern und Angrenzende Gebiete| |0016-7797|Quarterly| |UNIV ERLANGEN-NUERNBERG +6076|Geologisches Jahrbuch Hessen| |0341-4027|Annual| |HESSISCHES LANDESAMT FUER BODENFORSCHUNG +6077|Geologisches Jahrbuch Reihe A| |0341-6399|Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +6078|Geologisches Jahrbuch Reihe B| |0341-6402|Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +6079|Geologisches Jahrbuch Reihe D| |0341-6429|Irregular| |E. SCHWEIZERBART SCIENCE PUBLISHERS +6080|Geologisk Tidsskrift| |1395-0150|Quarterly| |DANSK GEOLOGISK FORENING +6081|Geologos| |1426-8981|Quarterly| |INST GEOL-UAM +6082|Geology|Geosciences / Geology; Géologie|0091-7613|Monthly| |GEOLOGICAL SOC AMER +6083|Geology of Ore Deposits|Geosciences / Ore deposits|1075-7015|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6084|Geology Today|Geology|0266-6979|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6085|Geoloshki Anali Balkanskoga Poluostrva|Geology|0350-0608|Annual| |UNIV U BEOGRADU +6086|Geomagnetism and Aeronomy|Geosciences / Geomagnetism; Atmosphere, Upper|0016-7932|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6087|Geometriae Dedicata|Mathematics / Geometry|0046-5755|Bimonthly| |SPRINGER +6088|Geometric and Functional Analysis|Mathematics / Mathematical analysis; Geometry|1016-443X|Bimonthly| |BIRKHAUSER VERLAG AG +6089|Geometry & Topology|Mathematics / Geometry; Topology|1364-0380|Irregular| |GEOMETRY & TOPOLOGY PUBLICATIONS +6090|Geomicrobiology Journal|Environment/Ecology / Geomicrobiology; Biogeochemistry / Geomicrobiology; Biogeochemistry|0149-0451|Bimonthly| |TAYLOR & FRANCIS INC +6091|Geomorphologie-Relief Processus Environnement|Environment/Ecology / Geomorphology|1266-5304|Quarterly| |GROUPE FRANCIAS GEOMORPHOLOGIE +6092|Geomorphology|Geosciences / Geomorphology|0169-555X|Biweekly| |ELSEVIER SCIENCE BV +6093|Geophysical and Astrophysical Fluid Dynamics|Space Science / Fluid dynamics; Astrophysics; Geophysics|0309-1929|Bimonthly| |TAYLOR & FRANCIS LTD +6094|Geophysical Journal International|Geosciences / Geophysics|0956-540X|Monthly| |WILEY-BLACKWELL PUBLISHING +6095|Geophysical Prospecting|Geosciences / Prospecting|0016-8025|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6096|Geophysical Research Letters|Geosciences / Geophysics; Planets; Lunar geology; Geofysica|0094-8276|Semimonthly| |AMER GEOPHYSICAL UNION +6097|Geophysics|Geosciences / Prospecting; Geophysics; Prospection géophysique; Prospection; Géophysique / Geophysics; Geofysica; Géophysique|0016-8033|Bimonthly| |SOC EXPLORATION GEOPHYSICISTS +6098|Geopolitics|Social Sciences, general / Geopolitics; Boundary disputes; Sovereignty; Politieke geografie|1465-0045|Quarterly| |ROUTLEDGE JOURNALS +6099|George Washington Law Review|Social Sciences, general|0016-8076|Bimonthly| |GEORGE WASHINGTON UNIV +6100|Georgetown Law Journal|Social Sciences, general|0016-8092|Bimonthly| |GEORGETOWN LAW JOURNAL ASSOC +6101|Georgia Journal of Science| |0147-9369|Irregular| |GEORGIA ACAD SCIENCE +6102|Georgia Review| |0016-8386|Quarterly| |UNIV GEORGIA +6103|Georgian Mathematical Journal|Mathematics / Mathematics|1072-947X|Quarterly| |HELDERMANN VERLAG +6104|Geoscience| |1000-8527|Quarterly| |GEOSCIENCE +6105|Geoscience Canada|Geosciences|0315-0941|Quarterly| |GEOLOGICAL ASSOC CANADA +6106|Geoscience Reports of Shizuoka University| |0388-6298|Annual| |SHIZUOKA UNIV +6107|Geoscience Wisconsin| |0164-2049|Irregular| |WISCONSIN GEOLOGICAL & NATURAL HISTORY SURVEY +6108|Geosciences Journal|Geosciences / Earth sciences; Geology|1226-4806|Quarterly| |SPRINGER HEIDELBERG +6109|Geospatial Health|Clinical Medicine|1827-1987|Semiannual| |UNIV NAPLES FEDERICO II +6110|Geosphere|Geosciences /|1553-040X|Bimonthly| |GEOLOGICAL SOC AMER +6111|Geostandards and Geoanalytical Research|Geosciences / Analytical geochemistry|1639-4488|Quarterly| |WILEY-BLACKWELL PUBLISHING +6112|Geosynthetics International|Engineering / Geosynthetics|1072-6349|Monthly| |THOMAS TELFORD PUBLISHING +6113|Geotechnical Testing Journal|Engineering / Soils; Rocks|0149-6115|Quarterly| |AMER SOC TESTING MATERIALS +6114|Géotechnique|Engineering / Soil mechanics; Engineering geology|0016-8505|Bimonthly| |THOMAS TELFORD PUBLISHING +6115|Geotectonics|Geosciences / Geology, Structural; Geodynamics; Magmatism|0016-8521|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6116|Geotextiles and Geomembranes|Geosciences / Membranes (Technology)|0266-1144|Bimonthly| |ELSEVIER SCI LTD +6117|Geothermics|Geosciences / Hydrogeology; Geothermal resources; GEOTHERMAL ENGINEERING; GEOTHERMAL ENERGY; GEOTHERMAL EXPLORATION|0375-6505|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +6118|Geriatric Nursing|Social Sciences, general / Geriatric nursing; Geriatric Nursing; Geriatrie; Verpleegkunde; Soins infirmiers en gériatrie|0197-4572|Bimonthly| |MOSBY-ELSEVIER +6119|Geriatrics|Clinical Medicine|0016-867X|Monthly| |ADVANSTAR COMMUNICATIONS INC +6120|Geriatrics & Gerontology International|Clinical Medicine / Geriatrics / Geriatrics|1444-1586|Quarterly| |WILEY-BLACKWELL PUBLISHING +6121|German Economic Review|Economics & Business / Economics|1465-6485|Quarterly| |WILEY-BLACKWELL PUBLISHING +6122|German History| |0266-3554|Quarterly| |OXFORD UNIV PRESS +6123|German Life and Letters|German literature|0016-8777|Quarterly| |WILEY-BLACKWELL PUBLISHING +6124|German Quarterly|German language; Letterkunde; Duits; Allemand (Langue); Littérature allemande; Enseignement; Culture allemande|0016-8831|Quarterly| |AMER ASSOC TEACHERS GERMAN +6125|German Studies Review| |0149-7952|Tri-annual| |ARIZ STATE UNIV +6126|Germanic Notes and Reviews| |0016-8882|Semiannual| |GERMANIC NOTES & REVIEWS +6127|Germanic Review|Germanic philology; Letterkunde; Germaanse talen; Philologie germanique|0016-8890|Quarterly| |HELDREF PUBLICATIONS +6128|Germanisch-Romanische Monatsschrift| |0016-8904|Quarterly| |UNIVERSITATSVERLAG C WINTER HEIDELBERG GMBH +6129|Germano-Slavica| |0317-4956|Annual| |University of Waterloo, Canada +6130|Gerodontology|Clinical Medicine / Older people; Geriatric Dentistry|0734-0664|Quarterly| |WILEY-BLACKWELL PUBLISHING +6131|Gerontologist|Clinical Medicine /|0016-9013|Bimonthly| |GERONTOLOGICAL SOC AMER +6132|Gerontology|Clinical Medicine / Geriatrics|0304-324X|Bimonthly| |KARGER +6133|Gesamp Reports and Studies| |1020-4873|Irregular| |INT MARITIME ORGANIZATION-IMO +6134|Geschichte und Gesellschaft| |0340-613X|Quarterly| |VANDENHOECK & RUPRECHT +6135|Geschiebe-Sammler| |0340-4056|Quarterly| |SAMMLERGRUPPE GESCHIEBEKUNDE +6136|Geschiebekunde Aktuell| |0178-1731|Quarterly| |GESELLSCHAFT GESCHIEBEKUNDE E V +6137|Gesnerus-Swiss Journal of the History of Medicine and Sciences| |0016-9161|Semiannual| |SCHWABE AG BASEL +6138|Gesta-International Center of Medieval Art|Art, Romanesque; Architecture, Romanesque; Art, Medieval; Architecture, Medieval; Romaans; Art roman; Architecture romane|0016-920X|Semiannual| |INT CENTER MEDIEVAL ART +6139|Gestion Ambiental| |0717-4918|Annual| |CENTRO ESTUDIOS AGRARIOS & AMBIENTALES-CEA +6140|Gestion Y Politica Publica|Social Sciences, general|1405-1079|Semiannual| |CENTRO DE INVESTIGACION Y DOCENCIA ECONOMICAS +6141|Gesture|Social Sciences, general / Body language; Gesture; Gestures|1568-1475|Tri-annual| |JOHN BENJAMINS PUBLISHING COMPANY +6142|Gesunde Pflanzen|Plant & Animal Science / Plants, Protection of; Pests|0367-4223|Quarterly| |SPRINGER +6143|Gesundheitswesen|Social Sciences, general / Public Health|0941-3790|Monthly| |GEORG THIEME VERLAG KG +6144|GFF|Geosciences /|1103-5897|Quarterly| |TAYLOR & FRANCIS LTD +6145|Gi Cancer| |1064-9700|Quarterly| |HARWOOD ACAD PUBL GMBH +6146|Gibbon Journal| |1661-707X|Annual| |GIBBON CONSERVATION ALLIANCE +6147|Gibraltar Bird Report| | |Annual| |GIBRALTAR ORNITHOLOGICAL NATURAL HISTORY SOC +6148|Gidrobiologicheskii Zhurnal| |0375-8990|Bimonthly| |KIEV SCIENCE BOOK PUBL +6149|Gifted Child Quarterly|Social Sciences, general / Gifted children; Child; Creativeness; Begaafden; Kinderen|0016-9862|Quarterly| |SAGE PUBLICATIONS INC +6150|Gifu Daigaku Kyoikugakubu Kenkyu Hokoku Shizen Kagaku| |0533-9529|Annual| |GIFU UNIV +6151|Gigiena I Sanitariya| |0016-9900|Bimonthly| |IZDATELSTVO MEDITSINA +6152|Gineco Ro|Clinical Medicine|1841-4435|Quarterly| |PULS MEDIA +6153|Ginecologia Y Obstetricia Clinica|Clinical Medicine|1695-3827|Quarterly| |NEXUS MEDICA EDITORES +6154|Ginekologia Polska|Clinical Medicine|0017-0011|Monthly| |STUDIO K +6155|Giornale Critico Della Filosofia Italiana| |0017-0089|Tri-annual| |CASA EDITRICE G C SANSONI SPA +6156|Giornale Italiano Di Dermatologia E Venereologia| |0026-4741|Bimonthly| |EDIZIONI MINERVA MEDICA +6157|Giornale Italiano Di Entomologia| |0392-7296|Tri-annual| |GIORNALE ITALIANO ENTOMOLOGIA +6158|Giornale Italiano Di Farmacia Clinica| |1120-3749|Quarterly| |PENSIERO SCIENTIFICO EDITOR +6159|Giornale Italiano Di Malattie Infettive| |1126-9952|Bimonthly| |SOC ITALIANA PER LO STUDIO DELLE MALATTIE INFETTIVE E PARASSITARIE +6160|Giornale Storico Della Letteratura Italiana| |0017-0496|Quarterly| |CASA EDITRICE LOESCHER +6161|GIScience & Remote Sensing|Engineering / Geodesy; Cartography; Aerial photogrammetry; Remote sensing|1548-1603|Quarterly| |BELLWETHER PUBL LTD +6162|Gladius| |0436-029X|Annual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +6163|Glas Srpska Akademija Nauka I Umetnosti Odeljenje Meditsinskikh Nauka| |0371-4039|Irregular| |SRPSKA AKAD NAUKA I UMETNOSTI +6164|Glasgow Mathematical Journal|Mathematics / Mathematics; Wiskunde; Mathématiques|0017-0895|Tri-annual| |CAMBRIDGE UNIV PRESS +6165|Glasgow Naturalist| |0373-241X|Annual| |GLASGOW NATURAL HISTORY SOC +6166|Glasnik Matematicki|Mathematics / Mathematics; Wiskunde|0017-095X|Semiannual| |CROATIAN MATHEMATICAL SOC +6167|Glasnik Prirodnjackog Muzeja U Beogradu Serija A Geoloshke Nauke| |0353-5193|Annual| |PRIRODNJACKI MUZEJ U BEOGRADU +6168|Glasnik Republickog Zavoda Za Zastitu Prirode I Prirodnjackog Muzeja U Podgorici| |1450-5398|Annual| |REPUBLICKI ZAVOD ZASTITU PRIRODE +6169|Glasnik Za Sumske Pokuse| |0352-3861|Annual| |SVEUCILISTE U ZAGREBU SUMARSKI FAKULTET +6170|Glass and Ceramics|Materials Science / Glass manufacture; Ceramics; Glas; Keramiek|0361-7610|Bimonthly| |SPRINGER +6171|Glass Physics and Chemistry|Materials Science / Glass|1087-6596|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6172|Glass Technology-European Journal of Glass Science and Technology Part A| |1753-3546|Bimonthly| |SOC GLASS TECHNOLOGY +6173|Glia|Neuroscience & Behavior / Neuroglia|0894-1491|Semimonthly| |WILEY-LISS +6174|Global and Planetary Change|Geosciences / Earth sciences|0921-8181|Monthly| |ELSEVIER SCIENCE BV +6175|Global Biogeochemical Cycles|Geosciences / Biogeochemical cycles|0886-6236|Quarterly| |AMER GEOPHYSICAL UNION +6176|Global Change Biology|Environment/Ecology / Climatic changes; Troposphere; Biodiversity conservation; Eutrophication|1354-1013|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6177|Global Change Biology Bioenergy| |1757-1693|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6178|Global Ecology and Biogeography|Environment/Ecology / Ecology; Biogeography|1466-822X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6179|Global Economic Review|International economic relations; Economic history; East and West|1226-508X|Quarterly| |ROUTLEDGE JOURNALS +6180|Global Environmental Change-Human and Policy Dimensions|Environment/Ecology / Environmental policy; Human ecology; Nature / Environmental policy; Human ecology; Nature|0959-3780|Quarterly| |ELSEVIER SCI LTD +6181|Global Environmental Politics|Social Sciences, general / Environmental policy; Environmental management; Environmental protection; Internationale politiek; Milieubeleid|1526-3800|Quarterly| |M I T PRESS +6182|Global Environmental Research| |1343-8808|Irregular| |ASSOC INT RES INIT ENV STUDIES-AIRIES +6183|Global Governance|Social Sciences, general|1075-2846|Quarterly| |LYNNE RIENNER PUBL INC +6184|Global Journal of Pure and Applied Sciences| |1118-0579|Quarterly| |BACHUDO PUBL +6185|Global Nest Journal|Environment/Ecology|1790-7632|Tri-annual| |GLOBAL NETWORK ENVIRONMENTAL SCIENCE & TECHNOLOGY +6186|Global Networks-A Journal of Transnational Affairs|Computer Science / Globalization; Internationalism|1470-2266|Quarterly| |WILEY-BLACKWELL PUBLISHING +6187|Global Telecoms Business|Computer Science|0969-7500|Monthly| |EUROMONEY PUBLICATIONS PLC +6188|Global Veterinaria| |1992-6197|Tri-annual| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +6189|Globalizations|Globalization|1474-7731|Quarterly| |ROUTLEDGE JOURNALS +6190|Globec International Newsletter| | |Semiannual| |GLOBEC INT PROJECT OFFICE +6191|Globec Report| |1066-7881|Irregular| |GLOBEC INT PROJECT OFFICE +6192|Globec Special Contribution| |1023-0645|Irregular| |GLOBEC INT PROJECT OFFICE +6193|Gloria Maris| |0778-4767|Bimonthly| |BELGIAN SOC CONCHOLOGY +6194|Glotta-Zeitschrift fur Griechische und Lateinische Sprache| |0017-1298|Semiannual| |VANDENHOECK & RUPRECHT +6195|Glq-A Journal of Lesbian and Gay Studies|Social Sciences, general / Homosexuality; Gays; Lesbians; Homoseksualiteit|1064-2684|Quarterly| |DUKE UNIV PRESS +6196|Glycobiology|Biology & Biochemistry / Glycoproteins; Glycolipids; Glycoconjugates; Carbohydrates|0959-6658|Monthly| |OXFORD UNIV PRESS INC +6197|Glycoconjugate Journal|Biology & Biochemistry / Glycolipids; Glycoproteins; Oligosaccharides; Proteoglycans; Gastro-enterologie|0282-0080|Monthly| |SPRINGER +6198|Gmp Review| |1476-4547|Quarterly| |EUROMED COMMUNICATIONS LTD +6199|Gnomon-Kritische Zeitschrift fur die Gesamte Klassische Altertumswissenschaft| |0017-1417|Bimonthly| |C H BECKSCHE +6200|Gnusletter| |1017-2718|Semiannual| |IUCN-SSC ANTELOPE SPECIALIST GROUP-US +6201|Go-South Bulletin| | |Annual| |GO-SOUTH +6202|Godishen Zbornik Biologija Prirodno-Matematichki Fakultet Na Univerzitetotsv Kiril I Metodij Skopje| |1409-6889|Annual| |UNIV SV KIRIL I METODIJ +6203|Godishnik Na Sofiiskiya Universitet Sv Kliment Okhridski Biologicheski Fakultet Kniga 1 Zoologiya| |0204-9902|Annual| |SOFIA UNIV +6204|Godishnik Na Sofiiskiya Universitet Sv Kliment Okhridski Biologicheski Fakultet Kniga 4| |1310-7607|Annual| |SOFIA UNIV +6205|Godishnik Na Sofijskiya Universitet Kliment Okhridski Geologo-Geografski Fakultet Geologiya| |0324-0479|Irregular| |SOFIA UNIV +6206|Goeldiana Zoologia| |0103-6076|Irregular| |MUSEU PARAENSE EMILIO GOELDI +6207|Goethe Jahrbuch| |0323-4207|Annual| |HERMANN BOHLAUS NACHFOLGER +6208|Goettinger Arbeiten zur Geologie und Palaeontologie| |0534-0403|Irregular| |GEORG-AUGUST-UNIV +6209|Gold Bulletin|Materials Science|0017-1557|Quarterly| |WORLD GOLD COUNCIL +6210|Gomphus| |0772-4691|Quarterly| |GOMPHUS +6211|Gondwana Geological Magazine| |0970-261X|Semiannual| |GONDWANA GEOLOGICAL SOC +6212|Gondwana Research|Geosciences / Geology, Stratigraphic; Gondwana (Géologie); Stratigraphie|1342-937X|Bimonthly| |ELSEVIER SCIENCE BV +6213|Gorilla Journal| | |Semiannual| |BERGGORILLA REGENWALD DIREKTHILFE +6214|Gortania-Atti Del Museo Friulano Di Storia Naturale| |0391-5859|Irregular| |MUSEO FRIULANO STORIA NATURALE +6215|Gorteria|Plant & Animal Science|0017-2294|Bimonthly| |NATL HERBARIUM NEDERLAND +6216|Gospodarka Surowcami Mineralnymi-Mineral Resources Management|Geosciences|0860-0953|Quarterly| |WYDAWNICTWO IGSMIE PAN +6217|Goteborgs Naturhistoriska Museum Arstryck| |0374-7921|Annual| |GOTEBORG NATURHISTORISKA MUSEET +6218|Governance-An International Journal of Policy Administration and Institutions|Social Sciences, general / Administrative agencies; Civil service; Public administration; Policy sciences|0952-1895|Quarterly| |WILEY-BLACKWELL PUBLISHING +6219|Government and Opposition|Social Sciences, general / Political science|0017-257X|Quarterly| |WILEY-BLACKWELL PUBLISHING +6220|Government Information Quarterly|Social Sciences, general / Libraries; Government publications; Government information; Government Publications; Information Services; Public Policy; Information d'État; Publications officielles|0740-624X|Quarterly| |ELSEVIER INC +6221|Govor|Social Sciences, general|0352-7565|Semiannual| |UREDNISTVO CASOPISA GOVOR +6222|Goya| |0017-2715|Bimonthly| |FUNDACION LAZARO GALDIANO +6223|GPS Solutions|Computer Science / Global Positioning System|1080-5370|Quarterly| |SPRINGER HEIDELBERG +6224|Gradevinar| |0350-2465|Monthly| |CROATIAN SOC CIVIL ENGINEERS-HSGI +6225|Gradiva| |0363-8057|Semiannual| |GRADIVA +6226|Graefes Archive for Clinical and Experimental Ophthalmology|Clinical Medicine / Ophthalmology; Eye; Oogheelkunde / Ophthalmology; Eye; Oogheelkunde / Ophthalmology; Eye; Oogheelkunde / Ophthalmology; Eye; Oogheelkunde / Ophthalmology; Eye; Oogheelkunde|0721-832X|Monthly| |SPRINGER +6227|Graellsia| |0367-5041|Irregular| |MUSEO NACIONAL DE CIENCIAS NATURALES +6228|Grana|Plant & Animal Science / Palynology; Palynologie; Aërobiologie|0017-3134|Quarterly| |TAYLOR & FRANCIS AS +6229|Granular Matter|Materials Science /|1434-7636|Quarterly| |SPRINGER +6230|Graphical Models|Mathematics / Computer graphics; Image processing; Computer vision|1524-0703|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +6231|Graphis Scripta| |0901-7593|Semiannual| |NORDIC LICHEN SOCIETY +6232|Graphs and Combinatorics|Mathematics / Combinatorial analysis; Graph theory|0911-0119|Quarterly| |SPRINGER TOKYO +6233|Grasas y Aceites|Agricultural Sciences / Oils and fats|0017-3495|Quarterly| |INST GRASA SUS DERIVADOS +6234|Grass and Forage Science|Agricultural Sciences / Grasses; Forage plants|0142-5242|Quarterly| |WILEY-BLACKWELL PUBLISHING +6235|Grassland Science|Agricultural Sciences / Pastures|1744-6961|Quarterly| |WILEY-BLACKWELL PUBLISHING +6236|Grasslands| |1540-6857|Quarterly| |CALIFORNIA NATIVE GRASS ASSOC +6237|Gravitation & Cosmology|Space Science /|0202-2893|Quarterly| |SPRINGER +6238|Great Barrier Reef Marine Park Authority Research Publication| |1037-1508|Irregular| |GREAT BARRIER REEF MARINE PARK AUTHORITY +6239|Great Britain Forestry Commission Bulletin| |0950-6470|Irregular| |FORESTRY COMMISSION PUBL +6240|Great Lakes Entomologist|Plant & Animal Science|0090-0222|Quarterly| |MICH ENTOMOL SOC +6241|Great Lakes Fishery Commission Miscellaneous Publication| |1090-106X| | |GREAT LAKES FISHERY COMMISSION +6242|Great Lakes Fishery Commission Special Publication| |1090-1051|Irregular| |GREAT LAKES FISHERY COMMISSION +6243|Great Lakes Fishery Commission Technical Report| |0072-730X|Irregular| |GREAT LAKES FISHERY COMMISSION +6244|Great Plains Quarterly| |0275-7664|Quarterly| |CENT GREAT PLAINS STUD +6245|Great Plains Research| |1052-5165|Semiannual| |UNIV NEBRASKA LINCOLN +6246|Gredleriana| |1593-5205|Annual| |MUSEO SCIENZE NATURALI ALTO ADIGE +6247|Greece & Rome|Classical antiquities; Classical philology; Greek literature; Latin literature|0017-3835|Semiannual| |CAMBRIDGE UNIV PRESS +6248|Greek Roman and Byzantine Studies| |0017-3916|Quarterly| |DUKE UNIV +6249|Green Chemistry|Chemistry / Environmental chemistry; Environmental management|1463-9262|Bimonthly| |ROYAL SOC CHEMISTRY +6250|Grey Room|Architecture and state; Architecture and society; Art; Art and state; Architecture; Architecture et société; Architecture et art; Médias et architecture|1526-3819|Quarterly| |MIT PRESS +6251|Ground Water|Environment/Ecology / Groundwater; Wells; Grondwater; Eau souterraine; Puits|0017-467X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6252|Ground Water Monitoring and Remediation|Environment/Ecology / Hydrogeology; Groundwater / Hydrogeology; Groundwater|1069-3629|Quarterly| |WILEY-BLACKWELL PUBLISHING +6253|Group & Organization Management|Economics & Business / Group relations training; Management; Arbeids- en organisatiepsychologie; Organisatieontwikkeling|1059-6011|Quarterly| |SAGE PUBLICATIONS INC +6254|Group Decision and Negotiation|Economics & Business / Group decision making; Negotiation in business|0926-2644|Bimonthly| |SPRINGER +6255|Group Dynamics-Theory Research and Practice|Psychiatry/Psychology / Social groups; Groepsdynamica|1089-2699|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +6256|Group Processes & Intergroup Relations|Psychiatry/Psychology / Social psychology; Intergroup relations; Interpersonal relations / Social psychology; Intergroup relations; Interpersonal relations|1368-4302|Quarterly| |SAGE PUBLICATIONS LTD +6257|Groups Geometry and Dynamics|Mathematics /|1661-7207|Quarterly| |EUROPEAN MATHEMATICAL SOC +6258|Grouse News| | |Semiannual| |WORLD PHEASANT ASSOC +6259|Growth and Change|Social Sciences, general / Regional planning; Economische geografie; Aménagement du territoire|0017-4815|Quarterly| |WILEY-BLACKWELL PUBLISHING +6260|Growth Factors|Molecular Biology & Genetics / Growth factors; Growth Substances|0897-7194|Quarterly| |TAYLOR & FRANCIS LTD +6261|Growth Hormone & IGF Research|Biology & Biochemistry / Growth regulators; Growth; Growth Substances; Somatomedins; Growth Hormone; Groeihormonen; IGF|1096-6374|Bimonthly| |CHURCHILL LIVINGSTONE +6262|Grundwasser|Geosciences /|1430-483X|Quarterly| |SPRINGER HEIDELBERG +6263|Gruppendynamik und Organisationsberatung|Psychiatry/Psychology /|1618-7849|Quarterly| |VS VERLAG SOZIALWISSENSCHAFTEN-GWV FACHVERLAGE GMBH +6264|Gruppenpsychotherapie und Gruppendynamik|Psychiatry/Psychology|0017-4947|Quarterly| |VANDENHOECK & RUPRECHT +6265|Guangdong Geology| |1001-8670|Quarterly| |GUANGDONG GEOLOGY +6266|Guangxi Shifan Daxue Xuebao-Ziran Kexue Ban| |1001-6600|Quarterly| |GUANGXI NORMAL UNIV +6267|Guangzhou Daxue Xuebao Ziran Kexue Ban| |1671-4229|Bimonthly| |GUANGZHOU UNIV +6268|Guelph Ichthyology Reviews| |1181-8549| | |UNIV GUELP +6269|Guerres mondiales et conflits contemporains| |0984-2292|Tri-annual| |PRESSES UNIV FRANCE +6270|Guizhou Dizhi| |1000-5943|Quarterly| |CHINA INT BOOK TRADING CORP +6271|Gulf and Caribbean Research| |1528-0470|Annual| |UNIV SOUTHERN MISS +6272|Gulf of Mexico Science| |1087-688X|Semiannual| |MARINE ENVIRONMENTAL SCIENCES CONSORTIUM ALABAMA +6273|Gunneria| |0332-8554|Irregular| |UNIV TRONDHEIM +6274|Gut|Clinical Medicine / Gastroenterology; Gastrointestinal Diseases; Societies, Medical; Gastroentérologie|0017-5749|Monthly| |B M J PUBLISHING GROUP +6275|Gut and Liver|Clinical Medicine /|1976-2283|Tri-annual| |EDITORIAL OFFICE GUT & LIVER +6276|Gymnasium| |0342-5231|Bimonthly| |UNIVERSITATSVERLAG C WINTER HEIDELBERG GMBH +6277|Gynakologe|Clinical Medicine / Gynecology; Medicine; Obstetrics|0017-5994|Monthly| |SPRINGER +6278|Gynäkologisch-geburtshilfliche Rundschau|Clinical Medicine / Gynecology; Obstetrics; Generative organs, Female; Genital Diseases, Female|1018-8843|Quarterly| |KARGER +6279|Gynecologic and Obstetric Investigation|Clinical Medicine / Gynecology; Obstetrics; Reproduction; Gynaecologie; Verloskunde; Gynécologie; Obstétrique|0378-7346|Bimonthly| |KARGER +6280|Gynecologic Oncology|Clinical Medicine / Generative organs, Female; Genital Neoplasms, Female|0090-8258|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +6281|Gynecological Endocrinology|Clinical Medicine / Endocrine gynecology; Endocrine Diseases; Endocrine Glands; Genital Diseases, Female|0951-3590|Monthly| |INFORMA HEALTHCARE +6282|Gynécologie Obstétrique & Fertilité|Clinical Medicine / Gynecology; Obstetrics; Genital Diseases, Female; Fertility; Reproductive Medicine; Gynaecologie; Verloskunde; Vruchtbaarheid|1297-9589|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +6283|Haasiana| |0793-5862|Irregular| |HEBREW UIV JERUSALEM +6284|Habitat International|Social Sciences, general / Human settlements; Logement; Développement communautaire; Population; HUMAN SETTLEMENTS; URBAN PLANNING|0197-3975|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +6285|Habitation|Life support systems; Extraterrestrial environment; Life Support Systems; Ecology; Extraterrestrial Environment|1542-9660|Quarterly| |COGNIZANT COMMUNICATION CORP +6286|Hacettepe Journal of Biology and Chemistry| |1303-5002|Annual| |HACETTEPE UNIV +6287|Hacettepe Journal of Mathematics and Statistics|Mathematics|1303-5010|Semiannual| |HACETTEPE UNIV +6288|Hacettepe Universitesi Egitim Fakultesi Dergisi-Hacettepe University Journal of Education|Social Sciences, general|1300-5340|Semiannual| |HACETTEPE UNIV +6289|Hacienda Publica Espanola|Social Sciences, general|0210-1173|Quarterly| |INST ESTUDIOS FISCALES +6290|Haematologica-The Hematology Journal|Clinical Medicine / Hematology; Hématologie|0390-6078|Monthly| |FERRATA STORTI FOUNDATION +6291|Haemophilia|Clinical Medicine / Hemophilia; Hemophilia A|1351-8216|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6292|Hafrannsoknastofnun Fjolrit| |1015-6119|Irregular| |HAFRANNSOKNASTOFNUNIN +6293|Hafrannsoknir| |0258-381X|Annual| |HAFRANNSOKNASTOFNUNIN +6294|Hahr-Hispanic American Historical Review| |0018-2168|Quarterly| |DUKE UNIV PRESS +6295|Haliotis| |0397-765X|Annual| |SOC FRANCAISE MALACOLOGIE +6296|Hallesches Jahrbuch fuer Geowissenschaften Reihe B Geologie Palaeontologiemineralogie| |1432-3702|Annual| |INST GEOLOGISCHE WISSENSCHAFTEN GEISELTALMUSEUM +6297|Halophila| |1438-0781|Semiannual| |FACHGRUPPE FAUNISTIKOEKOLOGIE STASSFURT +6298|Hamadryad| |0972-205X|Semiannual| |CENTRE HERPETOLOGY +6299|Hamostaseologie|Clinical Medicine|0720-9355|Bimonthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +6300|Hampshire Bird Report| |0438-4903|Annual| |HAMPSHIRE ORNITHOLOGICAL SOC +6301|Hana Abu| |1342-0267|Semiannual| |DIPTERISTS CLUB JAPAN +6302|Hand Clinics|Clinical Medicine / Hand; Main; Handen|0749-0712|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +6303|Handbooks for the Identification of British Insects| |0962-5852|Irregular| |ROYAL ENTOMOL SOC OF LONDON +6304|Handbuch der Zoologie-Berlin| |1861-4388|Irregular| |WALTER DE GRUYTER & CO +6305|Handchirurgie Mikrochirurgie Plastische Chirurgie|Clinical Medicine / Hand; Microsurgery; Surgery, Plastic|0722-1819|Bimonthly| |THIEME MEDICAL PUBL INC +6306|Hangug Jeonja Hyeonmigyeong Haghoeji| |1225-6773|Quarterly| |KOREA UNIV +6307|Hantkeniana| |1219-3933|Irregular| |DEPARTMENT PALAEONTOLOGY +6308|Harefuah| |0017-7768|Biweekly| |ISRAEL MEDICAL ASSOC JOURNAL +6309|Harm Reduction Journal|Social Sciences, general / Drug abuse; Substance-Related Disorders; Harm Reduction|1477-7517|Irregular| |BIOMED CENTRAL LTD +6310|Harmful Algae|Microbiology / Toxic algae; Microalgae; Cyanobacteria; Algal blooms|1568-9883|Quarterly| |ELSEVIER SCIENCE BV +6311|Harmful Algae News| |1020-2706|Irregular| |UNESCO +6312|Haroldius| |0920-2374|Annual| |HAROLDIUS PRESS +6313|Harvard Business Review|Economics & Business|0017-8012|Monthly| |HARVARD BUSINESS SCHOOL PUBLISHING CORPORATION +6314|Harvard Civil Rights-Civil Liberties Law Review|Social Sciences, general|0017-8039|Semiannual| |HARVARD LAW SCHOOL +6315|Harvard Educational Review|Social Sciences, general|0017-8055|Quarterly| |HARVARD GRADUATE SCHOOL EDUCATION +6316|Harvard Environmental Law Review|Social Sciences, general|0147-8257|Semiannual| |HARVARD LAW SCHOOL +6317|Harvard International Law Journal|Social Sciences, general|0017-8063|Semiannual| |HARVARD LAW SCHOOL +6318|Harvard Journal of Asiatic Studies|Oriental philology; Philologie orientale|0073-0548|Semiannual| |HARVARD-YENCHING INST +6319|Harvard Journal of Law and Public Policy|Social Sciences, general|0193-4872|Tri-annual| |HARVARD SOC LAW PUBLIC POLICY +6320|Harvard Journal on Legislation|Social Sciences, general|0017-808X|Semiannual| |HARVARD LAW SCHOOL +6321|Harvard Law Review|Social Sciences, general / Law reviews; Jurisprudence|0017-811X|Bimonthly| |HARVARD LAW REV ASSOC +6322|Harvard Library Bulletin| |0017-8136|Quarterly| |HARVARD UNIV LIBRARY +6323|Harvard Papers in Botany|Botany|1043-4534|Semiannual| |HARVARD UNIV HERBARIA +6324|Harvard Review of Psychiatry|Psychiatry/Psychology / Psychiatry; Psychiatrie|1067-3229|Bimonthly| |TAYLOR & FRANCIS INC +6325|Harvard Studies in Classical Philology|Classical philology|0073-0688|Annual| |HARVARD UNIV PRESS +6326|Harvard Teachers Record| |0361-8021|Quarterly| |HARVARD UNIV PRESS +6327|Harvard Theological Review|Theology; Systematische theologie; Théologie; Christianisme; Judaïsme; Morale religieuse; Religion comparée|0017-8160|Quarterly| |CAMBRIDGE UNIV PRESS +6328|Harvard University Museum of Comparative Zoology Special Occasional Publication| | |Irregular| |HARVARD UNIV +6329|Harvey Lectures|Clinical Medicine|0073-0874|Annual| |WILEY-LISS +6330|Haseltonia|Plant & Animal Science / Succulent plants; Cactus|1070-0048|Annual| |CACTUS SUCCULENT SOC AMER INC +6331|Hastings Center Report|Social Sciences, general / / Medical ethics; Bioethics; Ethics, Medical|0093-0334|Bimonthly| |HASTINGS CENTER +6332|Hastings Law Journal|Social Sciences, general|0017-8322|Bimonthly| |UNIV CALIF +6333|Hautarzt|Clinical Medicine / Dermatology; Sexually transmitted diseases; Sexually Transmitted Diseases|0017-8470|Monthly| |SPRINGER +6334|Hayashibara Museum of Natural Sciences Research Bulletin| |1345-7225|Irregular| |HAYASHIBARA MUSEUM NATURAL SCIENCES +6335|Head and Neck-Journal for the Sciences and Specialties of the Head and Neck|Clinical Medicine / Head; Neck; Face; Hoofd (mens); Hals; Geneeskunde|1043-3074|Monthly| |JOHN WILEY & SONS INC +6336|Headache|Clinical Medicine / Headache|0017-8748|Monthly| |WILEY-BLACKWELL PUBLISHING +6337|Health|Social Sciences, general / / Social medicine; Health; Médecine sociale; Santé; Social Medicine; Sociology, Medical|1363-4593|Semiannual| |SAGE PUBLICATIONS LTD +6338|Health & Place|Clinical Medicine / Health; Health services accessibility; Public health; Political planning; Social medicine; Epidemiology; Health Policy; Health Services Accessibility; Public Health; Public Policy; Sociology, Medical|1353-8292|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +6339|Health & Social Care in the Community|Social Sciences, general / Public welfare; Community health services; Human services; Community Health Services; Social Welfare; Social Work|0966-0410|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6340|Health & Social Work|Social Sciences, general|0360-7283|Quarterly| |NATL ASSOC SOCIAL WORKERS +6341|Health Affairs|Social Sciences, general / Medical economics; Medical policy; Delivery of Health Care; Health Policy; Public Health; Gezondheidszorg; Économie de la santé; Politique sanitaire|0278-2715|Bimonthly| |PROJECT HOPE +6342|Health and Quality of Life Outcomes|Clinical Medicine / Outcome assessment (Medical care); Quality of life; Outcome Assessment (Health Care); Quality of Life|1477-7525|Irregular| |BIOMED CENTRAL LTD +6343|Health Care Analysis|Social Sciences, general / Medical policy; Medical care; Social medicine; Delivery of Health Care; Health Policy; Philosophy, Medical; Gezondheidszorg; Beleid|1065-3058|Quarterly| |SPRINGER +6344|Health Care Financing Review|Social Sciences, general|0195-8631|Quarterly| |CENTERS FOR MEDICARE & MEDICAID SERVICES +6345|Health Care For Women International|Social Sciences, general / Women; Women's health services; Femmes; Gynecology; Neonatology; Obstetrics|0739-9332|Monthly| |TAYLOR & FRANCIS INC +6346|Health Care Management Review|Social Sciences, general|0361-6274|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +6347|Health Care Management Science|Health services administration; Medical care; Outcome assessment (Medical care); Health Services Administration; Models, Organizational; Quality Assurance, Health Care|1386-9620|Quarterly| |SPRINGER +6348|Health Communication|Social Sciences, general / Communication in medicine; Health in mass media; Communication; Health|1041-0236|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +6349|Health Data Management| |1079-9869|Monthly| |THOMSON MEDIA +6350|Health Economics|Economics & Business / Medical economics; Economics, Medical; Health Care Costs; Health Policy; Health Services|1057-9230|Bimonthly| |JOHN WILEY & SONS LTD +6351|Health Education & Behavior|Social Sciences, general / Health education; Health behavior; Health Behavior; Health Education; Gezondheidsvoorlichting en -opvoeding; Habitudes sanitaires; Éducation sanitaire / Health education; Health behavior; Health Behavior; Health Education; Gezo|1090-1981|Bimonthly| |SAGE PUBLICATIONS INC +6352|Health Education Journal|Social Sciences, general / Health education; Health Education|0017-8969|Quarterly| |SAGE PUBLICATIONS LTD +6353|Health Education Research|Social Sciences, general / Health education; Health Education; Research|0268-1153|Quarterly| |OXFORD UNIV PRESS +6354|Health Expectations|Social Sciences, general / Medical policy; Public health; Health planning; Health Services Research; Health Policy; Patient Participation|1369-6513|Quarterly| |WILEY-BLACKWELL PUBLISHING +6355|Health Informatics Journal|Medical informatics; Medical Informatics; Médecine|1460-4582|Quarterly| |SAGE PUBLICATIONS INC +6356|Health Information and Libraries Journal|Medical libraries; Public health libraries; Libraries, Medical; Medical Informatics|1471-1834|Quarterly| |WILEY-BLACKWELL PUBLISHING +6357|Health Information Management Journal|Social Sciences, general|1833-3583|Tri-annual| |HEALTH INFORMATION MANAGEMENT ASSOC AUSTRALIA LIMITED +6358|Health Physics|Clinical Medicine / Biophysics; Radioactivity|0017-9078|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +6359|Health Policy|Social Sciences, general / Medical education; Medical policy; Delivery of Health Care; Education, Medical; Health Education; Health Planning; Public Policy|0168-8510|Monthly| |ELSEVIER IRELAND LTD +6360|Health Policy and Planning|Social Sciences, general / Medical policy; Public health; Health planning; Developing Countries; Health Planning; Health Policy|0268-1080|Quarterly| |OXFORD UNIV PRESS +6361|Health Promotion International|Social Sciences, general / Health promotion; Health Promotion|0957-4824|Quarterly| |OXFORD UNIV PRESS +6362|Health Promotion Journal of Australia|Social Sciences, general|1036-1073|Tri-annual| |AUSTRALIAN HEALTH PROMOTION ASSOC +6363|Health Psychology|Psychiatry/Psychology / Medicine and psychology; Health; Psychology; Medische psychologie; Médecine et psychologie; Santé|0278-6133|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +6364|Health Risk & Society|Social Sciences, general / Health risk assessment; Public health; Social medicine; Risk Assessment; Public Health; Risk Factors; Social Medicine|1369-8575|Tri-annual| |ROUTLEDGE JOURNALS +6365|Health Services Research|Social Sciences, general / Hospitals; Medicine; Research; Hôpitaux; Santé, Services de; Intramurale gezondheidszorg|0017-9124|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6366|Health Sociology Review| |1446-1242| | |ECONTENT MANAGEMENT +6367|Health Technology Assessment|Clinical Medicine|1366-5278|Irregular| |NATL COORDINATING CENTRE HEALTH TECHNOLOGY ASSESSMENT +6368|Healthcare Distributor| |1096-9160| | |E L F PUBLICATIONS +6369|Healthmed|Clinical Medicine|1840-2291|Quarterly| |DRUNPP-SARAJEVO +6370|Hearing Research|Clinical Medicine / Hearing; Audiology|0378-5955|Monthly| |ELSEVIER SCIENCE BV +6371|Heart|Clinical Medicine / Heart; Cardiology; Blood Circulation; Bloedvaten; Hart; Cardiologie|1355-6037|Semimonthly| |B M J PUBLISHING GROUP +6372|Heart & Lung|Clinical Medicine / Heart; Lungs; Intensive care nursing; Cardiovascular Diseases; Lung Diseases / Heart; Lungs; Intensive care nursing; Cardiovascular Diseases; Lung Diseases|0147-9563|Bimonthly| |MOSBY-ELSEVIER +6373|Heart and Vessels|Clinical Medicine / Cardiovascular system; Cardiovascular System|0910-8327|Bimonthly| |SPRINGER +6374|Heart Failure Reviews|Clinical Medicine / Heart failure; Heart; Heart Failure, Congestive|1382-4147|Quarterly| |SPRINGER +6375|Heart Lung and Circulation|Clinical Medicine / Cardiology; Heart; Cardiovascular system; Lungs; Cardiovascular Diseases; Heart Diseases; Lung Diseases; Vascular Diseases / Cardiology; Heart; Cardiovascular system; Lungs; Cardiovascular Diseases; Heart Diseases; Lung Diseases; Vasc|1443-9506|Bimonthly| |ELSEVIER SCIENCE INC +6376|Heart Rhythm|Clinical Medicine / Arrhythmia; Cardiac pacing; Heart; Electrophysiology|1547-5271|Monthly| |ELSEVIER SCIENCE INC +6377|Heart Surgery Forum|Clinical Medicine / Cardiac Surgical Procedures; Heart Diseases; Surgical Procedures, Minimally Invasive; Thoracic Diseases; Thoracic Surgical Procedures / Cardiac Surgical Procedures; Heart Diseases; Surgical Procedures, Minimally Invasive; Thoracic Dis|1098-3511|Quarterly| |FORUM MULTIMEDIA PUBLISHING +6378|Heart-A Journal for the Study of the Circulation| | | | |PORTLAND PRESS LTD +6379|Heat and Mass Transfer|Engineering / Thermodynamics; Fluid dynamics; Thermodynamica; Reologie|0947-7411|Monthly| |SPRINGER +6380|Heat Transfer Engineering|Chemistry / Heat|0145-7632|Monthly| |TAYLOR & FRANCIS INC +6381|Heat Transfer Research|Engineering / Heat; Chaleur|1064-2285|Bimonthly| |BEGELL HOUSE INC +6382|Hebei Nongye Daxue Xuebao| |1000-1573|Quarterly| |CHINA INT BOOK TRADING CORP +6383|Hebei Shifan Daxue Xuebao Ziran Kexue Ban| |1000-5854|Quarterly| |CHINA INT BOOK TRADING CORP +6384|Hebrew Union College Annual| |0360-9049|Annual| |HEBREW UNION COLLEGE - JEWISH INST OF RELIGION +6385|Hegel-Studien| |0073-1587|Annual| |FELIX MEINER VERLAG +6386|Heldia| |0176-2621|Irregular| |HELDIA +6387|Helgoland Marine Research|Plant & Animal Science / Marine biology|1438-387X|Quarterly| |SPRINGER +6388|Helicobacter|Clinical Medicine / Helicobacter; Helicobacter Infections|1083-4389|Quarterly| |WILEY-BLACKWELL PUBLISHING +6389|Helictite| |0017-9973|Semiannual| |SPELEOLOGICAL RESEARCH COUNCIL INC. +6390|Helios| |0160-0923|Semiannual| |TEXAS TECH UNIV PRESS +6391|Hellenic Journal of Cardiology|Clinical Medicine|1109-9666|Bimonthly| |HELLENIC CARDIOLOGICAL SOC +6392|Hellenic Journal of Geosciences| |1791-0137|Semiannual| |UNIV ATHENS +6393|Hellenic Journal of Nuclear Medicine|Clinical Medicine|1790-5427|Tri-annual| |HELLENIC SOC NUCLEAR MEDICINE +6394|Hellenic Plant Protection Journal| |1791-3691|Semiannual| |INST PHYTOPATHOLOGIQUE BENAKI +6395|Helminthologia|Plant & Animal Science / Helminthology; Helminthiasis; Helminths; Infectieziekten; Helminthologie|0440-6605|Quarterly| |VERSITA +6396|Helsingin Yliopisto Soveltavan Elaintieteen Laitos Julkaisuja| |1235-0664|Irregular| |UNIV HELSINKI +6397|Helvetica Chimica Acta|Chemistry / Chemistry; Chemistry, Analytical; Chemie|0018-019X|Monthly| |WILEY-V C H VERLAG GMBH +6398|Helvetica Physica Acta|Physics|0018-0238|Bimonthly| |BIRKHAUSER VERLAG AG +6399|Hematological Oncology|Clinical Medicine / Hematological oncology; Hematology; Medical Oncology|0278-0232|Quarterly| |JOHN WILEY & SONS LTD +6400|Hematology|Clinical Medicine / Hematology; Blood; Hematologic Diseases|1024-5332|Bimonthly| |MANEY PUBLISHING +6401|Hematology-Oncology Clinics of North America|Clinical Medicine / Hematology; Oncology; Blood; Cancer; Medical Oncology|0889-8588|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +6402|Hemijska industrija|Chemistry /|0367-598X|Monthly| |ASSOC CHEMISTS & CHEMICAL ENGINEERS OF SERBIA +6403|Hemodialysis International|Clinical Medicine / Hemodialysis|1492-7535|Quarterly| |WILEY-BLACKWELL PUBLISHING +6404|Hemoglobin|Biology & Biochemistry / Hemoglobinopathy; Hemoglobin; Hemoglobins|0363-0269|Quarterly| |TAYLOR & FRANCIS INC +6405|Henry James Review| |0273-0340|Tri-annual| |JOHNS HOPKINS UNIV PRESS +6406|Heolohichnyi Zhurnal| |1025-6814|Quarterly| |INST HEOLOHICHNYKH NAUK +6407|Hepatitis Monthly|Clinical Medicine|1735-143X|Quarterly| |BAQIYATALLAH RESEARCH CENTER +6408|Hepato-Gastroenterology|Clinical Medicine|0172-6390|Bimonthly| |H G E UPDATE MEDICAL PUBLISHING S A +6409|Hepatobiliary & Pancreatic Diseases International| |1499-3872|Bimonthly| |ZHEJIANG UNIV SCH MEDICINE +6410|Hepatology|Clinical Medicine / Liver; Liver Diseases; Foie|0270-9139|Monthly| |JOHN WILEY & SONS INC +6411|Hepatology International|Clinical Medicine / Liver; Liver Diseases|1936-0533|Quarterly| |SPRINGER +6412|Hepatology Research|Clinical Medicine / Liver; Liver Diseases|1386-6346|Monthly| |WILEY-BLACKWELL PUBLISHING +6413|Herald of the Russian Academy of Sciences|Multidisciplinary / Science|1019-3316|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6414|Herba Polonica| |0018-0599|Quarterly| |INST MEDICINAL PLANTS +6415|Hercynia| |0018-0637|Semiannual| |MARTIN-LUTHER-UNIV HALLE-WITTENBERG +6416|Herd-Health Environments Research & Design Journal|Social Sciences, general|1937-5867|Quarterly| |VENDOME GROUP LLC +6417|Hereditary Cancer in Clinical Practice| |1731-2302|Quarterly| |BIOMED CENTRAL LTD +6418|Hereditas|Molecular Biology & Genetics / Heredity; Genetics; Genetica|0018-0661|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6419|Hereditas-Genetiskt Arkiv| | |Irregular| |HEREDITAS-DISTRIBUTION +6420|Heredity|Molecular Biology & Genetics / Genetics; Heredity; Evolution; Genetica|0018-067X|Monthly| |NATURE PUBLISHING GROUP +6421|Herefordshire Ornithological Club Annual Report| |0962-5895|Annual| |HEREFORDSHIRE ORNITHOLOGICAL CLUB +6422|Hermathena| |0018-0750|Semiannual| |Trinity College Dublin +6423|Hermes| |0767-9513|Tri-annual| |CNRS EDITIONS +6424|Hermes-Zeitschrift fur Klassische Philologie| |0018-0777|Quarterly| |FRANZ STEINER VERLAG GMBH +6425|Hernia|Clinical Medicine / Hernia; Laparoscopic surgery; Abdominal wall; Abdomen; Laparoscopy|1265-4906|Bimonthly| |SPRINGER +6426|Heroin Addiction and Related Clinical Problems|Clinical Medicine|1592-1638|Quarterly| |PACINI EDITORE +6427|Heron| |0399-1040|Quarterly| |GROUPE ORNITHOLOGIQUE NATURALISTE NORD - PAS-DE-CALAIS +6428|Herpetofauna - Sydney| |0725-1424|Semiannual| |AUSTRALASIAN AFFIL HERPETOL SOC +6429|Herpetofauna - Weinstadt| |0172-7761|Bimonthly| |HERPETOFAUNA-VERLAG GMBH +6430|Herpetologica|Plant & Animal Science / Herpetology; Herpetologie|0018-0831|Quarterly| |HERPETOLOGISTS LEAGUE +6431|Herpetologica Romanica| |1842-9203|Annual| |UNIV ORADEA +6432|Herpetological Bulletin| |1473-0928|Quarterly| |BRITISH HERPETOL SOC +6433|Herpetological Conservation and Biology| |1931-7603|Quarterly| |HERPETOLOGICAL CONSERVATION & BIOLOGY +6434|Herpetological Journal|Plant & Animal Science|0268-0130|Quarterly| |BRITISH HERPETOL SOC +6435|Herpetological Monographs|Plant & Animal Science / Herpetology; Herpetologie|0733-1347|Annual| |HERPETOLOGISTS LEAGUE +6436|Herpetological Natural History| |1069-1928|Semiannual| |LA SIERRA UNIV +6437|Herpetological Review| |0018-084X|Quarterly| |SOC STUDY AMPHIBIANS & REPTILES +6438|Herpetology Notes| |2071-5773|Irregular| |UNIV PISA +6439|Herpetotropicos| |1690-7930|Irregular| |UNIV ANDES +6440|Herpetozoa| |1013-4425|Quarterly| |OSTERREICHISCHE GESELLSCHAFT HERPETOLOGIE E V +6441|Herptile| |0953-2021|Quarterly| |INT HERPETOLOGICAL SOC +6442|Herz|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases|0340-9937|Bimonthly| |URBAN & VOGEL +6443|Herzogia| |0018-0971|Annual| |J CRAMER IN DER GEBRUEDER BORNTRAEGER VERLAGSBUCHHANDLUNG +6444|Hesperia|Excavations (Archaeology); Cultuurgeschiedenis; Archeologie; Opgravingen; Kunst; Inscripties; Oudheid; Fouilles (Archéologie)|0018-098X|Quarterly| |AMER SCHOOL CLASSICAL STUDIES AT ATHENS +6445|Hessische Faunistische Briefe| |0721-6874|Quarterly| |NATURWISSENSCHAFTLICHER VEREIN DARMSTADT E V +6446|Hessische Floristische Briefe| |0439-0687|Quarterly| |NATURWISSENSCHAFTLICHER VEREIN DARMSTADT E V +6447|Het News| | |Semiannual| |HETEROPTERA RECORDING GROUP +6448|Heteroatom Chemistry|Chemistry / Heterocyclic chemistry|1042-7163|Bimonthly| |JOHN WILEY & SONS INC +6449|Heterocera Sumatrana| |0724-1348|Irregular| |HETEROCERA SUMATRANA SOC E V +6450|Heterocycles|Chemistry / Heterocyclic compounds|0385-5414|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +6451|Heterocyclic Communications|Chemistry|0793-0283|Bimonthly| |FREUND PUBLISHING HOUSE LTD +6452|Heteropteron| |1432-3761|Semiannual| |ARBEITSGRUPPE MITTELEUROPAEISCHER HETEROPTEROLOGEN +6453|Heteropterus Revista de Entomologia| |1579-0681|Annual| |ENTOMOLOGICAL SOC GIPUZKOA +6454|Heythrop Journal-A Quarterly Review of Philosophy and Theology|Theology; Philosophy; Théologie; Philosophie|0018-1196|Quarterly| |WILEY-BLACKWELL PUBLISHING +6455|HFSP Journal|Multidisciplinary / /|1955-2068|Quarterly| |HFSP PUBLISHING +6456|Hibakagaku| |0389-5491|Irregular| |HIWA MUSEUM NATURAL HISTORY +6457|Hickenia-Boletin Del Darwinion| |0325-3732|Irregular| |INST BOTANICA DARWINION +6458|Hidrobiologica|Plant & Animal Science|0188-8897|Irregular| |UNIV AUTONOMA METROPOLITANA-IZTAPALAPA +6459|High Ability Studies|Social Sciences, general / Gifted children; Gifted persons|1359-8139|Semiannual| |ROUTLEDGE JOURNALS +6460|High Altitude Medicine & Biology|Clinical Medicine / Altitude, Influence of; Altitude Sickness; Altitude; Biology; Medicine|1527-0297|Quarterly| |MARY ANN LIEBERT INC +6461|High Energy Chemistry|Chemistry / Chimie sous rayonnement|0018-1439|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6462|High Performance Polymers|Chemistry / Polymers; Polymerization|0954-0083|Bimonthly| |SAGE PUBLICATIONS LTD +6463|High Pressure Research|Physics / High pressure (Science); High pressure (Technology) / High pressure (Science); High pressure (Technology) / High pressure (Science); High pressure (Technology)|0895-7959|Quarterly| |TAYLOR & FRANCIS LTD +6464|High Temperature|Physics / High temperatures; Hoge temperatuur|0018-151X|Bimonthly| |SPRINGER +6465|High Temperature Material Processes|Materials Science / Materials at high temperatures; High temperature plasmas; Electrometallury; Manufacturing processes / Materials at high temperatures; High temperature plasmas; Electrometallury; Manufacturing processes|1093-3611|Quarterly| |BEGELL HOUSE INC +6466|High Temperature Materials and Processes|Materials Science|0334-6455|Quarterly| |FREUND PUBLISHING HOUSE LTD +6467|Higher Education|Social Sciences, general / Education, Higher; Educational planning; Hoger onderwijs; Onderwijsplanning|0018-1560|Monthly| |SPRINGER +6468|Higher Education Research & Development|Social Sciences, general / Education, Higher / Education, Higher|0729-4360|Bimonthly| |ROUTLEDGE JOURNALS +6469|Hikobia| |0046-7413|Annual| |HIKOBIA +6470|Himalayan Geology|Geosciences|0971-8966|Semiannual| |WADIA INST HIMALAYAN GEOLOGY +6471|Himalayan Journal of Environment and Zoology| |0970-2903|Semiannual| |INDIAN ACAD ENVIRONMENTAL SCIENCES +6472|Himalayan Journal of Sciences-Lalitpur| |1727-5210|Semiannual| |HIMALAYAN JOURNAL SCIENCES +6473|Hip International|Clinical Medicine|1120-7000|Quarterly| |WICHTIG EDITORE +6474|Hippocampus|Neuroscience & Behavior / Hippocampus (Brain); Hippocampus; Neurologie|1050-9631|Bimonthly| |WILEY-LISS +6475|Hippokratia|Clinical Medicine|1108-4189|Quarterly| |LITHOGRAPHIA +6476|Hirosaki Daigaku Nogaku Seimei Kagakubu Gakujutsu Hokoku| |1344-8897|Irregular| |HIROSAKI UNIV +6477|Hiroshima Journal of Medical Sciences| |0018-2052|Quarterly| |HIROSHIMA UNIV SCHOOL MEDICINE +6478|Hiroshima Mathematical Journal|Mathematics|0018-2079|Tri-annual| |HIROSHIMA UNIV +6479|Hirundo| |1406-2062|Semiannual| |EESTI ORNITOLOOGIAUHING +6480|Hispamerica-Revista de Literatura| |0363-0471|Tri-annual| |HISPAMERICA +6481|Hispania Sacra| |0018-215X|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +6482|Hispania-A Journal Devoted to the Teaching of Spanish and Portuguese|Spanish language; Portuguese language; Civilization, Hispanic|0018-2133|Quarterly| |AMER ASSOC TEACHERS SPANISH PORTUGUESE +6483|Hispania-Revista Espanola de Historia| |0018-2141|Tri-annual| |CENTRO ESTUDIOS HISTORICOS +6484|Hispanic Journal of Behavioral Sciences|Psychiatry/Psychology / Hispanic Americans; Latin Americans; Anthropology; Socioeconomic Factors; Sociology|0739-9863|Quarterly| |SAGE PUBLICATIONS INC +6485|Hispanic Research Journal-Iberian and Latin American Studies|Spanish literature; Portuguese literature; Latin American literature; Spanish language; Portuguese language; Catalan language; Taalkunde; Letterkunde; Spaans; Portugees|1468-2737|Bimonthly| |MANEY PUBLISHING +6486|Hispanic Review|Spanish philology; Portuguese philology; FILOLOGIA ESPAÑOLA; FILOLOGIA PORTUGUESA; Filologie; Spaans; Philologie espagnole; Philologie portugaise; Culture espagnole; Culture latino-américaine; Espagnol (Langue); Portugais (Langue); Philologie|0018-2176|Quarterly| |UNIV PENNSYLVANIA PRESS +6487|Hispanofila| |0018-2206|Tri-annual| |UNIV NORTH CAROLINA +6488|Histochemistry and Cell Biology|Molecular Biology & Genetics / Histochemistry; Cytology; Histocytochemistry; Histochemie; Celbiologie / Histochemistry; Cytology; Histocytochemistry; Histochemie; Celbiologie / Histochemistry; Cytology; Histocytochemistry; Histochemie; Celbiologie|0948-6143|Monthly| |SPRINGER +6489|Histoire Sociale-Social History| |0018-2257|Semiannual| |HISTOIRE SOCIALE DEPT HISTORY +6490|Histology and Histopathology|Molecular Biology & Genetics|0213-3911|Quarterly| |F HERNANDEZ +6491|Histopathology|Clinical Medicine / Histology, Pathological; Histology; Pathology|0309-0167|Monthly| |WILEY-BLACKWELL PUBLISHING +6492|Historia| |0018-2281|Monthly| |EDITIONS TALLANDIER +6493|Historia Agraria| |1139-1472|Tri-annual| |SOC ESPANOLA HIST AGRARIA +6494|Historia Animalium| |1133-1232|Irregular| |UNIV AUTONOMA BARCELONA +6495|História Ciências Saúde-Manguinhos|Medicine; Science; History of Medicine; Exacte wetenschappen; Geneeskunde|0104-5970|Quarterly| |FUNDACO OSWALDO CRUZ +6496|Historia Critica|Social Sciences, general|0121-1617|Tri-annual| |UNIV LOS ANDES +6497|Historia Mathematica|Mathematics / Mathematics|0315-0860|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +6498|Historia Mexicana| |0185-0172|Quarterly| |COLEGIO DE MEXICO CENTRO DE ESTUDIOS HISTORICOS +6499|Historia Naturalis Bulgarica| |0205-3640|Annual| |BULGARIAN ACAD SCIENCE +6500|História Unisinos| |1519-3861|Tri-annual| |UNIV DO VALE DO RIO DOS SINOS +6501|Historia Y Comunicacion Social| |1137-0734|Annual| |UNIV COMPLUTENSE MADRID +6502|Historia Y Politica|Social Sciences, general|1575-0361|Semiannual| |CENTRO ESTUDIOS POLITICOS CONSTITUCIONALES +6503|Historia-Santiago| |0073-2435|Semiannual| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +6504|Historia-Zeitschrift fur Alte Geschichte| |0018-2311|Quarterly| |FRANZ STEINER VERLAG GMBH +6505|Historian|History; Geschiedenis; Histoire|0018-2370|Quarterly| |WILEY-BLACKWELL PUBLISHING +6506|Historica| |0018-2427|Quarterly| |HISTORICA +6507|Historical Archaeology| |0440-9213|Quarterly| |SOC HISTORICAL ARCHAEOLOGY +6508|Historical Biology|Paleobiology; Biology; Evolution; Paleontology / Paleobiology; Biology; Evolution; Paleontology|0891-2963|Quarterly| |TAYLOR & FRANCIS LTD +6509|Historical Journal|History; Geschiedenis|0018-246X|Quarterly| |CAMBRIDGE UNIV PRESS +6510|Historical Journal Of Film Radio and Television|Motion pictures; Broadcasting; Filmkunst; Radio; Televisie; Cinéma; Radiodiffusion|0143-9685|Quarterly| |ROUTLEDGE JOURNALS +6511|Historical Materialism-Research in Critical Marxist Theory|Historical materialism; Dialectical materialism; Socialism; Communism; Philosophy, Marxist|1465-4466|Quarterly| |BRILL ACADEMIC PUBLISHERS +6512|Historical Methods|Social sciences; Onderzoeksmethoden; Sciences sociales|0161-5440|Quarterly| |HELDREF PUBLICATIONS +6513|Historical Records of Australian Science|Social Sciences, general / Science|0727-3061|Semiannual| |CSIRO PUBLISHING +6514|Historical Reflections-Reflexions Historiques|History; Geschiedenis|0315-7997|Tri-annual| |HISTORICAL REFLECTIONS +6515|Historical Research|History|0950-3471|Tri-annual| |WILEY-BLACKWELL PUBLISHING +6516|Historical Review-La Revue Historique| |1790-3572|Annual| |NATL HELLENIC RES FOUNDATION +6517|Historical Social Research-Historische Sozialforschung|Social Sciences, general|0172-6404|Quarterly| |CENTER HISTORICAL SOCIAL RESEARCH-ZENTRUM HISTORISCHE SOZIALFORSCHUNG +6518|Historical Studies in the Life and Earth Sciences| |1367-7640|Irregular| |NATURAL HISTORY MUSEUM +6519|Historical Studies in the Natural Sciences|Physics; Biology; Physical sciences; Natural Sciences|1939-1811|Quarterly| |UNIV CALIFORNIA PRESS +6520|Historicky Casopis| |0018-2575|Quarterly| |SLOVAK ACADEMIC PRESS LTD +6521|Historiographia Linguistica|Linguistics|0302-5160|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +6522|Historische Zeitschrift|History; Histoire|0018-2613|Bimonthly| |OLDENBOURG VERLAG +6523|Historisches Jahrbuch| |0018-2621|Annual| |VERLAG KARL ALBER +6524|Historisk Tidsskrift| |0018-263X|Quarterly| |UNIVERSITETSFORLAGET A S +6525|History|History; Geschiedenis; Histoire|0018-2648|Quarterly| |WILEY-BLACKWELL PUBLISHING +6526|History and Philosophy of Logic|Logic|0144-5340|Semiannual| |TAYLOR & FRANCIS LTD +6527|History and Philosophy of the Life Sciences|Life sciences; Biology; Philosophy|0391-9714|Quarterly| |STAZIONE ZOOLOGICA ANTON DOHRN +6528|History and Technology|Technology|0734-1512|Quarterly| |ROUTLEDGE JOURNALS +6529|History and Theory|History|0018-2656|Quarterly| |WILEY-BLACKWELL PUBLISHING +6530|History of Economic Ideas| |1122-8792|Tri-annual| |FABRIZIO SERRA EDITORE +6531|History of Education|Social Sciences, general / Education|0046-760X|Bimonthly| |ROUTLEDGE JOURNALS +6532|History of European Ideas| |0191-6599|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +6533|History of Photography|Photography; Fotografie; Photographie|0308-7298|Quarterly| |TAYLOR & FRANCIS LTD +6534|History of Political Economy|Economics & Business / Economics; Economische geschiedenis; Economische politiek; Économie politique|0018-2702|Quarterly| |DUKE UNIV PRESS +6535|History of Political Thought| |0143-781X|Tri-annual| |IMPRINT ACADEMIC +6536|History of Psychiatry|Psychiatry/Psychology / Psychiatry; Mental illness; Mental Disorders; Psychiatrie; Maladies mentales|0957-154X|Quarterly| |SAGE PUBLICATIONS LTD +6537|History of Psychology|Psychiatry/Psychology / Psychology; Psychologie|1093-4510|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +6538|History of Religions|Religions|0018-2710|Quarterly| |UNIV CHICAGO PRESS +6539|History of Science| |0073-2753|Quarterly| |SCIENCE HISTORY PUBLICATIONS LTD +6540|History of the Berwickshire Naturalists Club| |0960-4170|Annual| |BERWICKSHIRE NATURALISTS CLUB +6541|History of the Human Sciences|Social sciences; Humaniora; Sociale wetenschappen; Sciences sociales|0952-6951|Quarterly| |SAGE PUBLICATIONS LTD +6542|History Today| |0018-2753|Monthly| |HISTORY TODAY LTD +6543|History Workshop Journal|Social Sciences, general / History; Social history; Social Conditions; Histoire; Histoire sociale|1363-3554|Semiannual| |OXFORD UNIV PRESS +6544|Hitotsubashi Journal of Economics|Economics & Business|0018-280X|Semiannual| |HITOTSUBASHI ACAD +6545|HIV Clinical Trials|Clinical Medicine / AIDS (Disease); Clinical trials; HIV Infections; Acquired Immunodeficiency Syndrome; Clinical Trials|1528-4336|Bimonthly| |THOMAS LAND PUBLISHERS +6546|HIV Medicine|Clinical Medicine / AIDS (Disease); HIV infections; HIV-positive persons; HIV Infections; Acquired Immunodeficiency Syndrome|1464-2662|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6547|HIV Therapy| |1758-4310|Bimonthly| |FUTURE MEDICINE LTD +6548|Hiwa Museum for Natural History Material Reports| | |Irregular| |HIWA MUSEUM NATURAL HISTORY +6549|Hiyoshi Review of Natural Science| |0911-7237|Semiannual| |KEIO UNIV +6550|Hkhbenso Newsletter| | |Irregular| |HINDU KUSH HIMALAYAN BENTHOLOGICAL SOC-HKH BENSO +6551|HNO|Clinical Medicine / Otolaryngology|0017-6192|Monthly| |SPRINGER +6552|Hoehle| |0018-3091|Quarterly| |VERBAND OSTERREICHISCHER HOHLENFORSCHER +6553|Hoehnea| |0073-2877|Tri-annual| |INST BOTANICA-SAO PAULO +6554|Hokkaido Kankyu Kagaku Kenkyu Senta Shoho| |0916-8656| | |HOKKAIDO INST ENVIRONMENTAL SCIENCES +6555|Hokkaido Mathematical Journal|Mathematics|0385-4035|Quarterly| |HOKKAIDO UNIV +6556|Hokkaido University Medical Library Series| |0385-6089|Annual| |HOKKAIDO UNIV SCH MEDICINE +6557|Holarctic Lepidoptera| |1070-4140|Semiannual| |ASSOC TROPICAL LEPIDOPTERA +6558|Holocaust and Genocide Studies|Holocaust, Jewish (1939-1945); Genocide|8756-6583|Tri-annual| |OXFORD UNIV PRESS INC +6559|The Holocene|Geosciences / Geology, Stratigraphic; Paleoclimatology|0959-6836|Bimonthly| |SAGE PUBLICATIONS LTD +6560|Holos Environment| |1519-8634|Irregular| |UNIV ESTADUAL PAULISTA +6561|Holzforschung|Plant & Animal Science / Wood|0018-3830|Bimonthly| |WALTER DE GRUYTER & CO +6562|Home Cultures|Architecture and society|1740-6315|Tri-annual| |BERG PUBL +6563|Home Health Care Services Quarterly|Home care services; Home Care Services|0162-1424|Quarterly| |HAWORTH PRESS INC +6564|Homeopathy|Clinical Medicine / Homeopathy; Homeopathie|1475-4916|Quarterly| |ELSEVIER SCI LTD +6565|Homicide Studies|Social Sciences, general / Homicide|1088-7679|Quarterly| |SAGE PUBLICATIONS INC +6566|Homme|Social Sciences, general / Anthropology|0439-4216|Quarterly| |COLL FRANCE +6567|Homme et L Oiseau| |0770-1365|Quarterly| |LIGUE ROYALE BELGE PROTECTION OISEAUX +6568|Homo-Journal of Comparative Human Biology|Social Sciences, general / Anthropology; Human biology; Fysische antropologie|0018-442X|Tri-annual| |ELSEVIER GMBH +6569|Homology Homotopy and Applications|Mathematics|1532-0073|Tri-annual| |INT PRESS BOSTON +6570|Homopus Research Foundation Annual Report| | | | |HOMOPUS RESEARCH FOUNDATION +6571|Honeybee Science| |0388-2217|Quarterly| |JAPAN PUBLISHING TRADING CO +6572|Hong Kong Biodiversity| | | | |HONG KONG AGRICULTURE +6573|Hong Kong Journal of Dermatology & Venereology|Clinical Medicine|1814-7453|Quarterly| |MEDCOM LTD +6574|Hong Kong Journal of Emergency Medicine|Clinical Medicine|1024-9079|Quarterly| |MEDCOM LTD +6575|Hong Kong Journal of Occupational Therapy|Social Sciences, general / Occupational therapy; Medical rehabilitation; Occupational Therapy|1569-1861|Annual| |ELSEVIER SINGAPORE PTE LTD +6576|Hong Kong Journal of Paediatrics|Clinical Medicine|1013-9923|Quarterly| |MEDCOM LTD +6577|Hong Kong Medical Journal| |1024-2708|Quarterly| |HONG KONG ACAD MEDICINE PRESS +6578|Honyurui Kagaku-Mammalian Science| |0385-437X|Semiannual| |MAMMALOGICAL SOC JAPAN +6579|Hoppe-Seylers Zeitschrift fur Physiologische Chemie| |0018-4888|Monthly| |WALTER DE GRUYTER & CO +6580|Horizons| |0360-9669|Semiannual| |COLL THEOLOGY SOC +6581|Hormone and Metabolic Research|Biology & Biochemistry / Hormones; Metabolism; Endocrinology; Metabolic Diseases|0018-5043|Monthly| |GEORG THIEME VERLAG KG +6582|Hormone Research|Hormones; Endocrinology|0301-0163|Monthly| |KARGER +6583|Hormone Research in Paediatrics| |1663-2818|Monthly| |KARGER +6584|Hormones and Behavior|Neuroscience & Behavior / Endocrinology; Psychophysiology; Animal behavior; Behavior; Sexual Behavior; Hormonen; Gedrag|0018-506X|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +6585|Hormones-International Journal of Endocrinology and Metabolism|Clinical Medicine|1109-3099|Quarterly| |HELLENIC ENDOCRINE SOC +6586|Hornero| |0073-3407|Irregular| |ASOCIACION ORNITHOLOGICA DEL PLATA +6587|Horticultura Brasileira|Plant & Animal Science /|0102-0536|Quarterly| |ASSOC BRASILEIRA HORTICULTURA +6588|Horticultural Research-Japan| |1347-2658|Quarterly| |JAPANESE SOC HORTICULTURAL SCIENCE +6589|Horticultural Science|Agricultural Sciences|0862-867X|Quarterly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +6590|Horticulture Environment and Biotechnology|Plant & Animal Science|0253-6498|Bimonthly| |KOREAN SOC HORTICULTURAL SCIENCE +6591|Hortscience|Plant & Animal Science|0018-5345|Bimonthly| |AMER SOC HORTICULTURAL SCIENCE +6592|Horttechnology|Agricultural Sciences|1063-0198|Quarterly| |AMER SOC HORTICULTURAL SCIENCE +6593|Hoshizaki Gurin Zaidan Kenkyu Hokoku| |1343-0807|Annual| |HOSHIZAKI GREEN FOUNDATIONS +6594|Hospital Materials Management| |0163-1322|Monthly| |BUSINESS WORD INC +6595|Hospital Pharmacist Report| |1052-3146|Monthly| |MEDICAL ECONOMICS +6596|Hospital Pharmacy|Clinical Medicine /|0018-5787|Monthly| |FACTS AND COMPARISONS +6597|Hospital Practice|Clinical Medicine /|8750-2836|Semimonthly| |JTE MULTIMEDIA +6598|Hospital Topics|Hospitals; Equipment and Supplies, Hospital; Ziekenhuizen; Hôpitaux|0018-5868|Bimonthly| |HELDREF PUBLICATIONS +6599|Hospitals & Health Networks|Social Sciences, general|1068-8838|Monthly| |HEALTH FORUM INC +6600|Houille Blanche-Revue Internationale de L Eau|Environment/Ecology / Hydraulic engineering|0018-6368|Bimonthly| |SOC HYDROTECHNIQUE FRANCE +6601|Housing Policy Debate|Social Sciences, general|1051-1482|Quarterly| |FANNIE MAE FOUNDATION +6602|Housing Studies|Social Sciences, general / Housing|0267-3037|Quarterly| |ROUTLEDGE JOURNALS +6603|Houston Journal of Mathematics|Mathematics|0362-1588|Quarterly| |UNIV HOUSTON +6604|Hozen Seitaigaku Kenkyu| |1342-4327|Semiannual| |ECOLOGICAL SOC JAPAN +6605|Hrvatski Filmski Ljetopis| |1330-7665|Quarterly| |CROATIAN FILM CLUBS ASSOC +6606|Hts Teologiese Studies-Theological Studies| |0259-9422|Quarterly| |UNIV PRETORIA HTS +6607|Huanjing Kexue Yanjiu| |1001-6929|Bimonthly| |CHINESE RES ACAD ENVIRONMENTAL SCI +6608|Huanjing Kunchong Xuebao| |1674-0858|Irregular| |GUANGDONG PROVINCIAL ASSOC SCI & TECHNOL +6609|Huazhong Shifan Daxue Xuebao-Ziran Kexue Ban| |1000-1190|Quarterly| |CENTRAL CHINA NORMAL UNIV +6610|Hubei Geology & Mineral Resources| |1671-1211|Quarterly| |HUBEI GEOLOGY MINERAL RESOURCES +6611|Hudebni Veda| |0018-7003|Quarterly| |CZECH ACAD SCIENCES PRESS +6612|Hudson Review|Literature; Letterkunde; Kunst; Littérature|0018-702X|Quarterly| |HUDSON REVIEW INC +6613|Huitzil| | |Irregular| |CIPAMEX - BIRDLIFE MEXICO +6614|Human & Experimental Toxicology|Pharmacology & Toxicology / Toxicology; Toxicologie / Toxicology; Toxicologie|0960-3271|Monthly| |SAGE PUBLICATIONS LTD +6615|Human and Ecological Risk Assessment|Environment/Ecology / Health risk assessment; Ecological risk assessment; Ecology; Risk Assessment|1080-7039|Bimonthly| |TAYLOR & FRANCIS INC +6616|Human Antibodies| |1093-2607|Quarterly| |IOS PRESS +6617|Human Biology|Clinical Medicine / Anthropology; Biology; Anthropologie; Biologie; Mensen|0018-7143|Bimonthly| |WAYNE STATE UNIV PRESS +6618|Human Brain Mapping|Neuroscience & Behavior / Brain mapping; Brain Mapping|1065-9471|Monthly| |WILEY-LISS +6619|Human Cell|Molecular Biology & Genetics / Cells|0914-7470|Quarterly| |WILEY-BLACKWELL PUBLISHING +6620|Human Communication Research|Social Sciences, general / Communication|0360-3989|Quarterly| |WILEY-BLACKWELL PUBLISHING +6621|Human Development|Psychiatry/Psychology / Geriatrics; Growth; Aging; Gériatrie; Croissance; Psychobiologie|0018-716X|Bimonthly| |KARGER +6622|Human Dimensions of Wildlife|Wildlife management; Fishery management|1087-1209|Quarterly| |TAYLOR & FRANCIS LTD +6623|Human Ecology|Social Sciences, general / Human ecology; Ecology; Environment; Sociale ecologie; Écologie humaine|0300-7839|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +6624|Human Ecology Review|Environment/Ecology|1074-4827|Semiannual| |SOC HUMAN ECOLOGY +6625|Human Evolution|Human evolution; Evolution; Evolutie; Mensen|0393-9375|Quarterly| |EDAP ANGELO PONTECORBOLI +6626|Human Factor-London| |0301-7397| | |NATL INSTITUTE INDUSTRIAL PSYCHOLOGY +6627|Human Factors|Psychiatry/Psychology / Human engineering; Human Engineering; Ergonomie|0018-7208|Quarterly| |SAGE PUBLICATIONS INC +6628|Human Factors and Ergonomics in Manufacturing & Service Industries|Engineering / Computer integrated manufacturing systems; Human engineering|1090-8471|Bimonthly| |JOHN WILEY & SONS INC +6629|Human Gene Therapy|Molecular Biology & Genetics / Gene therapy; Gene Therapy; Transfection; Gentherapie; Thérapie génique|1043-0342|Semimonthly| |MARY ANN LIEBERT INC +6630|Human Genetics|Molecular Biology & Genetics / Human genetics; Genetics, Medical; Génétique humaine; Genetica / Human genetics; Genetics, Medical; Génétique humaine; Genetica|0340-6717|Monthly| |SPRINGER +6631|Human Genomics| |1473-9542|Bimonthly| |HENRY STEWART PUBL +6632|Human Heredity|Molecular Biology & Genetics / Medical genetics; Human genetics; Biometry; Genetics, Medical|0001-5652|Bimonthly| |KARGER +6633|Human Immunology|Immunology / Immunology; Immune response; HLA histocompatibility antigens; Allergy and Immunology; Histocompatibility Testing|0198-8859|Monthly| |ELSEVIER SCIENCE INC +6634|Human Molecular Genetics|Molecular Biology & Genetics / Human molecular genetics; Human chromosome abnormalities; Cytogenetics; Genetics, Medical; Molecular Biology; Cartes chromosomiques humaines; Génétique moléculaire humaine; Moleculaire genetica; Antropogenetica|0964-6906|Semimonthly| |OXFORD UNIV PRESS +6635|Human Movement Science|Psychiatry/Psychology / Human mechanics; Animal mechanics; Movement|0167-9457|Bimonthly| |ELSEVIER SCIENCE BV +6636|Human Mutation|Molecular Biology & Genetics / Human chromosome abnormalities; Mutation (Biology); Mutation; Genetics, Medical; Chromosomes humains; Mutation (Biologie)|1059-7794|Monthly| |WILEY-LISS +6637|Human Nature-An Interdisciplinary Biosocial Perspective|Social Sciences, general / Sociobiology; Social values; Behavior; Psychology, Social; Social Behavior; Gedrag; Biosociale aspecten|1045-6767|Quarterly| |SPRINGER +6638|Human Organization|Social Sciences, general|0018-7259|Quarterly| |SOC APPLIED ANTHROPOLOGY +6639|Human Pathology|Clinical Medicine / Pathology; Pathologie / Pathology; Pathologie|0046-8177|Monthly| |W B SAUNDERS CO-ELSEVIER INC +6640|Human Performance|Psychiatry/Psychology / Psychology, Applied; Performance; Task Performance and Analysis; Psychologische functieleer|0895-9285|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +6641|Human Physiology|Human physiology; Physiology; Fysiologie|0362-1197|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +6642|Human Psychopharmacology-Clinical and Experimental|Neuroscience & Behavior / Psychopharmacology; Psychotropic drugs; Psychotropic Drugs; Psychofarmaca|0885-6222|Bimonthly| |JOHN WILEY & SONS LTD +6643|Human Relations|Economics & Business / Social sciences; Interpersonal Relations; Social Sciences|0018-7267|Monthly| |SAGE PUBLICATIONS LTD +6644|Human Reproduction|Clinical Medicine / Human reproduction; Embryology; Reproduction; Voortplanting (biologie)|0268-1161|Monthly| |OXFORD UNIV PRESS +6645|Human Reproduction Update|Clinical Medicine / Human reproduction; Embryology; Reproduction; Voortplanting (biologie); Gewervelde dieren|1355-4786|Bimonthly| |OXFORD UNIV PRESS +6646|Human Resource Management|Economics & Business / Personnel management; Personeelsmanagement; Personnel|0090-4848|Quarterly| |JOHN WILEY & SONS INC +6647|Human Resources for Health|Social Sciences, general / Health services administration; Health Personnel; Health Manpower; Personnel Management|1478-4491|Irregular| |BIOMED CENTRAL LTD +6648|Human Rights Quarterly|Social Sciences, general / Civil rights; Mensenrechten; Droits de l'homme; HUMAN RIGHTS|0275-0392|Quarterly| |JOHNS HOPKINS UNIV PRESS +6649|Human Studies|Social Sciences, general / Philosophy; Social sciences|0163-8548|Quarterly| |SPRINGER +6650|Human Vaccines|Immunology /|1554-8600|Monthly| |LANDES BIOSCIENCE +6651|Human-Computer Interaction|Computer Science / System design; Computers; Human-machine systems; Mens-computer-interactie; Interactieve computersystemen; Systèmes, Conception de; Ordinateurs; Systèmes homme-machine|0737-0024|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +6652|Human-Wildlife Conflicts| |1934-4392|Semiannual| |JACK H BERRYMAN INST +6653|Human-Wildlife Interactions| |1934-4392|Semiannual| |JACK H BERRYMAN INST +6654|Humans and Nature| |0918-1725|Annual| |MUSEUM NATURE & HUMAN ACTIVITIES +6655|Humor-International Journal of Humor Research|Social Sciences, general / Wit and humor; Wit and Humor; Philosophy; Psychology; Research|0933-1719|Quarterly| |MOUTON DE GRUYTER +6656|Hungarian Quarterly| |0028-5390|Quarterly| |M T I +6657|Hupo Kexue| |1003-5427|Quarterly| |SCIENCE PRESS +6658|Husserl Studies|Phenomenology|0167-9848|Tri-annual| |SPRINGER +6659|Hutton Foundation New Zealand Special Papers| |1175-9275|Irregular| |HUTTON FOUNDATION +6660|Hvac&r Research| |1078-9669|Bimonthly| |AMER SOC HEATING REFRIGERATING AIR-CONDITIONING ENG +6661|Hybridoma|Immunology / Hybridomas; Monoclonal antibodies; Hybridomes; Antibodies, Monoclonal; Immunotherapie; Immunologie|1554-0014|Bimonthly| |MARY ANN LIEBERT INC +6662|Hydrobiologia|Plant & Animal Science / Aquatic biology; Limnology; Marine biology; Hydrobiologie|0018-8158|Semimonthly| |SPRINGER +6663|Hydrobiological Journal|Aquatic biology|0018-8166|Bimonthly| |BEGELL HOUSE INC +6664|Hydrocarbon Processing|Chemistry|0018-8190|Monthly| |GULF PUBL CO +6665|Hydroécologie Appliquée| |1147-9213|Annual| |ELECTRICITE FRANCE +6666|Hydrogeology Journal|Geosciences / Hydrogeology|1431-2174|Bimonthly| |SPRINGER +6667|Hydrological Processes|Environment/Ecology / Hydrology; Hydrologic models; Hydrological forecasting|0885-6087|Semimonthly| |JOHN WILEY & SONS LTD +6668|Hydrological Sciences Journal-Journal des Sciences Hydrologiques|Environment/Ecology / Hydrology; Hydrologie; HYDROLOGY|0262-6667|Quarterly| |TAYLOR & FRANCIS LTD +6670|Hydrology and Earth System Sciences|Geosciences /|1027-5606|Bimonthly| |COPERNICUS GESELLSCHAFT MBH +6671|Hydrology Research|Geosciences / Hydrology; Hydrologie|0029-1277|Bimonthly| |I W A PUBLISHING +6672|Hydrometallurgy|Materials Science / Hydrometallurgy|0304-386X|Monthly| |ELSEVIER SCIENCE BV +6673|Hyle|Chemistry|1433-5158|Annual| |HYLE PUBL +6674|Hypertension|Clinical Medicine / Hypertension; Hemodynamic Processes; Hypertension artérielle|0194-911X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +6675|Hypertension in Pregnancy|Clinical Medicine / Hypertension in pregnancy; Hypertension; Zwangerschap; Hypertensie|1064-1955|Tri-annual| |TAYLOR & FRANCIS INC +6676|Hypertension Research|Clinical Medicine / Hypertension|0916-9636|Monthly| |NATURE PUBLISHING GROUP +6677|Hystrix-Italian Journal of Mammalogy| |0394-1914|Semiannual| |ASSOC TERIOLOGICA ITAL +6678|Iaglr Conference Program and Abstracts| |1010-4224|Annual| |INT ASSOC GREAT LAKES RES +6679|Iawa Journal|Plant & Animal Science|0928-1541|Quarterly| |INT ASSOC WOOD ANATOMISTS +6680|Iberica|Social Sciences, general|1139-7241|Semiannual| |AELFE +6681|Iberis| |1578-3006|Irregular| |ALDINE/TRANSACTION PUBLISHER +6682|Iberomyrmex| |1989-7928|Annual| |ASOC IBERICA MIRMECOLOGIA +6683|Iberoromania|Spanish philology; Portuguese philology; Catalan philology|0019-0993|Semiannual| |MAX NIEMEYER VERLAG +6684|Iberus| |0212-3010|Annual| |BACKHUYS PUBL +6685|Ibis|Plant & Animal Science / Birds; Ornithology; Oiseaux; Ornithologie|0019-1019|Quarterly| |WILEY-BLACKWELL PUBLISHING +6686|IBM Journal of Research and Development|Computer Science /|0018-8646|Bimonthly| |IBM CORP +6687|Icarus|Space Science / Astronomy|0019-1035|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +6688|Icelandic Agricultural Sciences|Agricultural Sciences|1670-567X|Annual| |RANNSOKNASTOFNUN LANDBUNADARINS +6689|Ices Advice| | |Irregular| |CONSEIL INT EXPLORATION MER +6690|Ices Cooperative Research Report-Rapport des Recherches Collectives| |1017-6195|Irregular| |INT COUNCIL EXPLORATION SEA +6691|Ices Identification Leaflets for Plankton| |1019-1097|Irregular| |CONSEIL INT EXPLORATION MER +6692|ICES Journal of Marine Science|Plant & Animal Science / Ocean; Fisheries; Fishes; Marine biology; Mariene biologie|1054-3139|Bimonthly| |OXFORD UNIV PRESS +6693|Ices Techniques in Marine Environmental Sciences| |0903-2606|Irregular| |CONSEIL INT EXPLORATION MER +6694|Icga Journal|Computer Science|1389-6911|Quarterly| |UNIV MAASTRICHT FACULTY GENERAL SCIENCES +6695|Ichnos-An International Journal for Plant and Animal Traces|Geosciences / Ichnology; Trace fossils|1042-0940|Quarterly| |TAYLOR & FRANCIS INC +6696|Ichthyolith Issues Special Publication| |1032-1314|Irregular| |QUEENSLAND MUSEUM +6697|Ichthyological Contributions of Pecescriollos| |1868-3703|Irregular| |PECES CRIOLLOS +6698|Ichthyological Exploration of Freshwaters|Plant & Animal Science|0936-9902|Quarterly| |VERLAG DR FRIEDRICH PFEIL +6699|Ichthyological Research|Plant & Animal Science / Ichthyology; Fishes; Vissen (dierkunde)|1341-8998|Quarterly| |SPRINGER TOKYO +6700|Icon-International Journal of Constitutional Law|Social Sciences, general / Constitutional law|1474-2640|Quarterly| |OXFORD UNIV PRESS +6701|Idaho Bureau of Land Management Technical Bulletin| | |Irregular| |U S BUREAU LAND MANAGEMENT +6702|Idealistic Studies| |0046-8541|Tri-annual| |PHILOSOPHY DOCUMENTATION CENTER +6703|Ideas Y Valores| |0120-0062|Tri-annual| |UNIV NAC COLOMBIA +6704|Ideggyogyaszati Szemle-Clinical Neuroscience|Neuroscience & Behavior|0019-1442|Bimonthly| |LITERATURA MEDICA +6705|Identities-Global Studies in Culture and Power|Social Sciences, general / Ethnic groups; Race relations; Ethnic relations; Ethnicity; Group identity; Groupes ethniques; Relations raciales; Relations interethniques; Ethnicité; Identité collective; Sociale identiteit; Macht / Ethnic groups; Race relati|1070-289X|Quarterly| |TAYLOR & FRANCIS INC +6706|Idesia| |0073-4675|Tri-annual| |UNIV TARAPACA +6707|Idf-Report| |1435-3393|Irregular| |IDF-REPORT +6708|Idojaras|Geosciences|0324-6329|Quarterly| |HUNGARIAN METEOROLOGICAL SERVICE +6709|Idrugs|Pharmacology & Toxicology|1369-7056|Monthly| |THOMSON REUTERS (SCIENTIFIC) LTD +6710|Ids Bulletin-Institute of Development Studies|Social Sciences, general /|0265-5012|Bimonthly| |INST DEVELOPMENT STUDIES +6711|IEEE Aerospace and Electronic Systems Magazine|Engineering / Avionics; Astrionics; Electronics in military engineering|0885-8985|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6712|IEEE Annals of the History of Computing|Computer Science / Electronic data processing; Computers; Informatica; Informatique; Ordinateurs|1058-6180|Quarterly| |IEEE COMPUTER SOC +6713|IEEE Antennas and Propagation Magazine|Engineering / Antennas (Electronics); Radio wave propagation|1045-9243|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6714|IEEE Antennas and Wireless Propagation Letters|Engineering / Antennas (Electronics); Antenna arrays; Wireless communication systems; Boundary value problems; Materials; Electromagnetism|1536-1225|Annual| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6715|IEEE Circuits and Systems Magazine|Engineering / Electric engineering; Electronics|1531-636X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6716|IEEE Communications Letters|Computer Science / Telecommunication systems|1089-7798|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6717|IEEE Communications Magazine|Computer Science / Telecommunication|0163-6804|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6718|IEEE Communications Surveys and Tutorials|Computer Science / /|1553-877X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6719|IEEE Computational Intelligence Magazine|Computer Science / Computational intelligence|1556-603X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6720|IEEE Computer Graphics and Applications|Computer Science / Computer graphics|0272-1716|Bimonthly| |IEEE COMPUTER SOC +6721|IEEE Control Systems Magazine|Engineering /|1066-033X|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6722|IEEE Design & Test of Computers|Computer Science / Computer engineering; Electronic digital computers / Computer engineering; Electronic digital computers|0740-7475|Bimonthly| |IEEE COMPUTER SOC +6723|IEEE Electrical Insulation Magazine|Engineering / Electric insulators and insulation|0883-7554|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6724|IEEE Electron Device Letters|Engineering / Electronic apparatus and appliances; Solid state electronics|0741-3106|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6725|IEEE Engineering in Medicine and Biology Magazine|Clinical Medicine / Biomedical engineering; Biomedical Engineering|0739-5175|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6726|IEEE Geoscience and Remote Sensing Letters|Geosciences / Earth sciences|1545-598X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6727|IEEE Industrial Electronics Magazine|Engineering / Industrial electronics|1932-4529|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6728|IEEE Industry Applications Magazine|Engineering / Electric machinery; Electric engineering|1077-2618|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6729|IEEE Instrumentation & Measurement Magazine|Engineering / Industrial electronics; Electronic instruments; Measurement; Testing; Appareils électroniques; Mesure; Essais (Technologie) / Industrial electronics; Electronic instruments; Measurement; Testing; Appareils électroniques; Mesure; Essais (Tec|1094-6969|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6730|IEEE Intelligent Systems|Engineering /|1541-1672|Bimonthly| |IEEE COMPUTER SOC +6731|IEEE Internet Computing|Computer Science / Internet; World Wide Web; Computer science; Réseaux d'ordinateurs|1089-7801|Bimonthly| |IEEE COMPUTER SOC +6732|IEEE Journal of Oceanic Engineering|Engineering / Ocean engineering|0364-9059|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6733|IEEE Journal of Quantum Electronics|Physics / Quantum electronics; Lasers; Optics|0018-9197|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6734|IEEE Journal of Selected Topics in Applied Earth Observations and Remote Sensing|Geosciences /|1939-1404|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6735|IEEE Journal of Selected Topics in Quantum Electronics|Engineering / Quantum electronics|1077-260X|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6736|IEEE Journal of Selected Topics in Signal Processing|Engineering / Signal processing|1932-4553|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6737|IEEE Journal of Solid-State Circuits|Engineering / Semiconductors; Integrated circuits; Solid state electronics|0018-9200|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6738|IEEE Journal on Selected Areas in Communications|Computer Science / Telecommunication|0733-8716|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6739|IEEE Latin America Transactions|Engineering / Electric engineering|1548-0992|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6740|IEEE Micro|Computer Science / Microprocessors; Microcomputers; Microprocesseurs; Micro-ordinateurs|0272-1732|Bimonthly| |IEEE COMPUTER SOC +6741|IEEE Microwave and Wireless Components Letters|Engineering / Microwave devices; Microwave communication systems|1531-1309|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6742|IEEE Microwave Magazine|Engineering / Microwaves; Microwave devices; Micro-ondes; Dispositifs à micro-ondes|1527-3342|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6743|IEEE Multimedia|Computer Science / Multimedia systems; Computer networks; Multimedia; Multimédias interactifs|1070-986X|Quarterly| |IEEE COMPUTER SOC +6744|IEEE Network|Computer Science / Computer networks|0890-8044|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6745|IEEE Pervasive Computing|Computer Science / Wireless communication systems; Mobile computing; Informatique mobile; Transmission sans fil|1536-1268|Bimonthly| |IEEE COMPUTER SOC +6746|IEEE Photonics Journal| |1943-0655|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6747|IEEE Photonics Technology Letters|Physics / Photonics; Lasers; Quantum electronics; Électronique quantique; Photonique|1041-1135|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6748|IEEE Potentials|Engineering / Computers; Computer engineering; Computer architecture|0278-6648|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6749|IEEE Power & Energy Magazine|Engineering / Electric power systems; Electric engineering|1540-7977|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6750|IEEE Robotics & Automation Magazine|Engineering / Robotics; Automation / Robotics; Automation / Robotics; Automation|1070-9932|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6751|IEEE Security & Privacy|Computer Science / Computer security; Computer networks / Computer security; Computer networks|1540-7993|Bimonthly| |IEEE COMPUTER SOC +6752|IEEE Sensors Journal|Engineering / Detectors|1530-437X|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6753|IEEE Signal Processing Letters|Engineering / Signal processing; Image processing; Speech processing systems|1070-9908|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6754|IEEE Signal Processing Magazine|Engineering / Signal processing; Electro-acoustics|1053-5888|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6755|IEEE Software|Computer Science / Computer software; Computer programming; Software; Programmation (Informatique)|0740-7459|Bimonthly| |IEEE COMPUTER SOC +6756|IEEE Spectrum|Engineering / Electric engineering; Electronics; Elektronica; Computers; Medische techniek; Électrotechnique; Électronique; Commande automatique|0018-9235|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6757|IEEE Systems Journal|Computer Science / Systems engineering; Complexity (Philosophy)|1932-8184|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6758|IEEE Technology and Society Magazine|Engineering / Technology; Technologie|0278-0097|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6759|IEEE Transactions on Advanced Packaging|Engineering / Electronic packaging; Electronic industries|1521-3323|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6760|IEEE Transactions on Aerospace and Electronic Systems|Engineering / Astrionics; Avionics; Aerospace telemetry; Electronics in military engineering|0018-9251|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6761|IEEE Transactions on Antennas and Propagation|Engineering / Radio; Antennas (Electronics); Radio waves|0018-926X|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6762|IEEE Transactions on Applied Superconductivity|Physics / Superconductors / Superconductors|1051-8223|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6763|IEEE Transactions on Audio Speech and Language Processing|Speech processing systems; Electro-acoustics; Auditory Perception; Automatic Data Processing; Signal Processing, Computer-Assisted; Sound; Speech Perception; Language; Signaalverwerking; Geluid; Spraak; Digitale technieken|1558-7916|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6764|IEEE Transactions on Automatic Control|Engineering / Automation; Electric controllers; Automatic control; Regeltechniek; Commande automatique|0018-9286|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6765|IEEE Transactions on Automation Science and Engineering|Engineering / Automation; Automatic control; Production engineering|1545-5955|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6766|IEEE Transactions on Biomedical Circuits and Systems|Biology & Biochemistry / Medical electronics; Biomedical engineering; Electronics, Medical; Biomedical Engineering|1932-4545|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6767|IEEE Transactions on Biomedical Engineering|Engineering / Biomedical engineering; Medical electronics; Medical physics; Biomedical Engineering|0018-9294|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6768|IEEE Transactions on Broadcasting|Computer Science / Radio; Television|0018-9316|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6769|IEEE Transactions on Circuits and Systems for Video Technology|Engineering / Television; Television circuits; Image processing; Signal processing|1051-8215|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6770|IEEE Transactions on Circuits and Systems I-Regular Papers|Engineering|1549-8328|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6771|IEEE Transactions on Circuits and Systems Ii-Express Briefs|Engineering|1549-7747|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6772|IEEE Transactions on Communications|Computer Science / Telecommunication|0090-6778|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6773|IEEE Transactions on Components and Packaging Technologies|Engineering / Electronic apparatus and appliances; Electric apparatus and appliances; Electronic industries; Electric industries; Appareils électroniques; Appareils électriques; Industries électroniques; Industries électriques|1521-3331|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6774|IEEE Transactions on Computer-Aided Design of Integrated Circuits and Systems|Engineering / Integrated circuits; Micro-elektronica; Computers; Ontwerpen; Computermethoden; Circuits intégrés|0278-0070|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6775|IEEE Transactions on Computers|Computer Science /|0018-9340|Monthly| |IEEE COMPUTER SOC +6776|IEEE Transactions on Consumer Electronics|Engineering / Household electronics; Radio; Television; Electronic apparatus and appliances|0098-3063|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6777|IEEE Transactions on Control Systems Technology|Engineering / Automatic control; Control theory|1063-6536|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6778|IEEE Transactions on Dependable and Secure Computing|Computer Science / Fault-tolerant computing; Computer systems; Computer security|1545-5971|Quarterly| |IEEE COMPUTER SOC +6779|IEEE Transactions on Device and Materials Reliability|Engineering / Electronic apparatus and appliances; Electronic industries|1530-4388|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6780|IEEE Transactions on Dielectrics and Electrical Insulation|Engineering / Electric insulators and insulation; Dielectric devices|1070-9878|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6781|IEEE Transactions on Education|Engineering / Technical education; Electric engineering|0018-9359|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6782|IEEE Transactions on Electromagnetic Compatibility|Engineering / Radio noise; Signal theory (Telecommunication)|0018-9375|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6783|IEEE Transactions on Electron Devices|Engineering / Electronic apparatus and appliances; Electronics|0018-9383|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6784|IEEE Transactions on Electronics Packaging Manufacturing|Engineering / Electronic apparatus and appliances; Manufacturing processes; Electronic industries; Mise sous boîtier (Électronique); Fabrication; Industries électroniques; Appareils électroniques; Production, Technique de la|1521-334X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6785|IEEE Transactions on Energy Conversion|Engineering / Electric power systems; Electric engineering; Énergie|0885-8969|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6786|IEEE Transactions on Engineering Management|Economics & Business / Engineering; Research, Industrial|0018-9391|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6787|IEEE Transactions on Evolutionary Computation|Engineering / Neural networks (Computer science); Evolutionary computation; Neurale netwerken; Algoritmen; Computermethoden; Zoekstrategieën; Programmeren (computers); Réseaux neuronaux (Informatique); Réseaux neuronaux à structure évolutive; Algorithmes|1089-778X|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6788|IEEE Transactions on Fuzzy Systems|Engineering / Fuzzy systems; System analysis; Regeltechniek; Neurale netwerken; Fuzzy sets; Systèmes flous|1063-6706|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6789|IEEE Transactions on Geoscience and Remote Sensing|Engineering / Geophysics|0196-2892|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6790|IEEE Transactions on Image Processing|Engineering / Image processing; Signal processing; Image Processing, Computer-Assisted; Signal Processing, Computer-Assisted; Patroonherkenning; Beeldverwerking|1057-7149|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6791|IEEE Transactions on Industrial Electronics|Engineering / Industrial electronics|0278-0046|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6792|IEEE Transactions on Industrial Informatics|Engineering / Industrial electronics; Automation|1551-3203|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6793|IEEE Transactions on Industry Applications|Engineering / Electric engineering; Electric power; Électrotechnique; Électricité|0093-9994|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6794|IEEE Transactions on Information Forensics and Security|Computer Science / Computer security; Computer networks; Réseau d'ordinateurs; Mesures de sécurité; Traitement du signal|1556-6013|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6795|IEEE Transactions on Information Technology in Biomedicine|Engineering / Medicine; Medical sciences; Information technology; Automatic Data Processing; Medical Informatics|1089-7771|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6796|IEEE Transactions on Information Theory|Computer Science / Information theory; Telecommunication|0018-9448|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6797|IEEE Transactions on Instrumentation and Measurement|Engineering / Electronics; Equipment and Supplies; Electronic instruments; Electronic measurements|0018-9456|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6798|IEEE Transactions on Intelligent Transportation Systems|Engineering / Electronics in transportation; Intelligent Vehicle Highway Systems|1524-9050|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6799|IEEE Transactions on Knowledge and Data Engineering|Engineering / Expert systems (Computer science); Database management|1041-4347|Bimonthly| |IEEE COMPUTER SOC +6800|IEEE Transactions on Magnetics|Physics / Magnetic devices; Magnetics; Dispositifs magnétiques; Substances magnétiques|0018-9464|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6801|IEEE Transactions on Medical Imaging|Engineering / Diagnosis, Radioscopic; Imaging systems in medicine; Electronics, Medical; Radiography|0278-0062|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6802|IEEE Transactions on Microwave Theory and Techniques|Engineering / Microwaves|0018-9480|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6803|IEEE Transactions on Mobile Computing|Computer Science / Mobile computing; Wireless communication systems; Informatique mobile; Transmission sans fil|1536-1233|Monthly| |IEEE COMPUTER SOC +6804|IEEE Transactions on Multimedia|Computer Science / Multimedia systems; Multimedia; Multimédias interactifs; Systèmes d'information|1520-9210|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6805|IEEE Transactions on NanoBioscience|Engineering / Ultrastructure (Biology); Nanoscience; Bioinformatics; Nanotechnology; Biomedical Engineering; Computational Biology|1536-1241|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6806|IEEE Transactions on Nanotechnology|Engineering / Nanotechnology|1536-125X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6807|IEEE Transactions on Neural Networks|Engineering / Neural networks (Computer science); Neural Networks (Computer); Neurale netwerken|1045-9227|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6808|IEEE Transactions on Neural Systems and Rehabilitation Engineering|Engineering / Rehabilitation technology; Biomedical engineering; Medical electronics; Rehabilitation; Biomedical Engineering; Electronics, Medical; Models, Neurological; Neural Networks (Computer); Self-Help Devices|1534-4320|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6809|IEEE Transactions on Nuclear Science|Physics / Nuclear engineering; Nuclear power plants|0018-9499|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6810|IEEE Transactions on Parallel and Distributed Systems|Computer Science / Parallel processing (Electronic computers); Electronic data processing|1045-9219|Monthly| |IEEE COMPUTER SOC +6811|IEEE Transactions on Pattern Analysis and Machine Intelligence|Engineering / Pattern perception; Pattern recognition systems; Artificial intelligence; Pattern Recognition; Artificial Intelligence; Kunstmatige intelligentie; Reconnaissance des formes (Informatique); Perception des structures; Intelligence artificiell|0162-8828|Monthly| |IEEE COMPUTER SOC +6812|IEEE Transactions on Plasma Science|Physics / Plasma engineering; Plasma (Ionized gases); Plasmas, Technique des; Plasma (Gaz ionisés)|0093-3813|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6813|IEEE Transactions on Power Delivery|Engineering / Electric power distribution; Électricité|0885-8977|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6814|IEEE Transactions on Power Electronics|Engineering / Power electronics; Électronique de puissance|0885-8993|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6815|IEEE Transactions on Power Systems|Engineering / Electric power systems; Electric engineering|0885-8950|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6816|IEEE Transactions on Professional Communication|Engineering / Communication of technical information; Technical writing|0361-1434|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6817|IEEE Transactions on Reliability|Engineering / Electronic industries|0018-9529|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6818|IEEE Transactions on Robotics|Engineering / Robotics|1552-3098|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6819|IEEE Transactions on Semiconductor Manufacturing|Engineering / Semiconductors|0894-6507|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6820|IEEE Transactions on Signal Processing|Engineering / Electro-acoustics; Signal processing; Speech processing systems; Signaalverwerking|1053-587X|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6821|IEEE Transactions on Software Engineering|Computer Science /|0098-5589|Bimonthly| |IEEE COMPUTER SOC +6822|IEEE Transactions on Systems Man and Cybernetics Part A-Systems and Humans|Engineering / Human-machine systems; Systems engineering|1083-4427|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6823|IEEE Transactions on Systems Man and Cybernetics Part B-Cybernetics|Engineering / Cybernetics; Man-Machine Systems; Cybernetica|1083-4419|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6824|IEEE Transactions on Systems Man and Cybernetics Part C-Applications and Reviews|Engineering / Systems engineering; Human-machine systems; Cybernetics|1094-6977|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6825|IEEE Transactions on Ultrasonics Ferroelectrics and Frequency Control|Physics / Ultrasonics; Ferroelectric crystals; Radio frequency; Sound; Radio|0885-3010|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6826|IEEE Transactions on Vehicular Technology|Engineering / Mobile communication systems; Radiocommunications mobiles|0018-9545|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6827|IEEE Transactions on Very Large Scale Integration (VLSI) Systems|Engineering / Integrated circuits|1063-8210|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6828|IEEE Transactions on Visualization and Computer Graphics|Computer Science / Computer graphics; Visualization; Computer Graphics; Computer Simulation; Image Processing, Computer-Assisted; Computergraphics|1077-2626|Quarterly| |IEEE COMPUTER SOC +6829|IEEE Transactions on Wireless Communications|Engineering / Wireless communication systems|1536-1276|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6830|IEEE Vehicular Technology Magazine|Engineering / Electronics in transportation; Motor vehicles; Mobile communication systems; Intelligent Vehicle Highway Systems / Electronics in transportation; Motor vehicles; Mobile communication systems; Intelligent Vehicle Highway Systems|1556-6072|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6831|IEEE Wireless Communications|Computer Science / Mobile communication systems; Wireless communication systems; Local area networks (Computer networks)|1536-1284|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6832|IEEE-Acm Transactions on Computational Biology and Bioinformatics|Computer Science / Computational biology; Bioinformatics; Computational Biology|1545-5963|Quarterly| |IEEE COMPUTER SOC +6833|IEEE-ACM Transactions on Networking|Computer Science / Computer networks; Data transmission systems|1063-6692|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6834|IEEE-ASME Transactions on Mechatronics|Engineering / Mechatronics|1083-4435|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +6835|IEEJ Transactions on Electrical and Electronic Engineering|Electric engineering; Electronics|1931-4973|Quarterly| |JOHN WILEY & SONS INC +6836|IEICE Electronics Express|Engineering / Computer science; Science; Information science; Information storage and retrieval systems; Medical Informatics; Information Systems; Information Services|1349-2543|Semimonthly| |IEICE-INST ELECTRONICS INFORMATION COMMUNICATIONS ENG +6837|IEICE Transactions on Communications|Computer Science / Telecommunication|0916-8516|Monthly| |IEICE-INST ELECTRONICS INFORMATION COMMUNICATIONS ENG +6838|IEICE Transactions on Electronics|Engineering / Electronics|0916-8524|Monthly| |IEICE-INST ELECTRONICS INFORMATION COMMUNICATIONS ENG +6839|IEICE Transactions on Fundamentals of Electronics Communications and Computer Sciences|Engineering / Electronics; Telecommunication; Computer science|0916-8508|Monthly| |IEICE-INST ELECTRONICS INFORMATION COMMUNICATIONS ENG +6840|IEICE Transactions on Information and Systems|Computer Science / Information technology|0916-8532|Monthly| |IEICE-INST ELECTRONICS INFORMATION COMMUNICATIONS ENG +6841|IET Circuits Devices & Systems|Engineering / Electronic circuits; Electronic systems|1751-858X|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6842|IET Communications|Engineering / Telecommunication systems; Computer software|1751-8628|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6843|IET Computer Vision|Computer Science / Computer vision|1751-9632|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +6844|IET Computers and Digital Techniques|Computer Science / Digital electronics; Computers|1751-8601|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6845|IET Control Theory and Applications|Control theory; Automatic control / Control theory; Automatic control|1751-8644|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6846|IET Electric Power Applications|Engineering / Electric power; Electric power systems|1751-8660|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6847|IET Generation Transmission & Distribution|Engineering / Electric power production; Electric power transmission; Electric power distribution|1751-8687|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6848|IET Image Processing|Engineering / Image processing; Signal processing|1751-9659|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +6849|IET Information Security|Computer Science / Computer security; Sécurité informatique|1751-8709|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +6850|IET Intelligent Transport Systems|Engineering / Intelligent Vehicle Highway Systems; Electronics in transportation|1751-956X|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +6851|IET Microwaves Antennas & Propagation|Computer Science / Microwaves; Microwave antennas; Antennas (Electronics); Radio wave propagation|1751-8725|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6852|IET Nanobiotechnology|Engineering / Biotechnology; Nanotechnology|1751-8741|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6853|IET Optoelectronics|Physics / Optoelectronics; Optoélectronique|1751-8768|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6854|IET Power Electronics|Engineering / Power electronics|1755-4535|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6855|IET Radar Sonar and Navigation|Computer Science / Telecommunication; Radar; Sonar; Signal processing|1751-8784|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6856|IET Renewable Power Generation|Engineering / Renewable energy sources|1752-1416|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +6857|IET Science Measurement & Technology|Engineering / Electric engineering; Electronics; Measurement|1751-8822|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6858|IET Signal Processing|Engineering / Signal processing|1751-9675|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +6859|IET Software|Computer software; Software engineering; Logiciels; Génie logiciel|1751-8806|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6860|IET Systems Biology|Environment/Ecology / Systems biology; Bioinformatics; Genetics|1751-8849|Bimonthly| |INST ENGINEERING TECHNOLOGY-IET +6861|IETE Journal of Research|Engineering /|0377-2063|Bimonthly| |MEDKNOW PUBLICATIONS +6862|IETE Technical Review|Engineering /|0256-4602|Bimonthly| |INST ELECTRONICS TELECOMMUNICATION ENGINEERS +6863|IFM-GEOMAR Report| |1614-6298|Irregular| |IFM-GEOMAR Leibniz-Institute of Marine Sciences, Kiel University +6864|IFRO Newsletter| |1028-5156|Irregular| |IRANIAN FISHERIES RESEARCH ORGANIZATION +6865|Igiene Moderna| |0019-1655|Irregular| |E J E PUBLISHERS S R L +6866|Iguana| |1098-6324|Quarterly| |INT REPTILE CONSERVATION FOUNDATION +6867|Iguana Rundschreiben| |0949-0450|Semiannual| |ARBEITS LEGUANE +6868|Iheringia Serie Botanica|Plant & Animal Science|0073-4705|Irregular| |FUNDACAO ZOOBOTANICA RIO GRANDE SUL +6869|Iheringia Série Zoologia|Plant & Animal Science / Zoology|0073-4721|Semiannual| |FUNDACAO ZOOBOTANICA RIO GRANDE SUL +6870|Iic-International Review of Intellectual Property and Competition Law|Social Sciences, general|0018-9855|Bimonthly| |VERLAG C H BECK +6871|IIE Transactions|Engineering / Industrial engineering; Génie industriel|0740-817X|Monthly| |TAYLOR & FRANCIS INC +6872|III-Vs Review|Semiconductors; Semiconductor industry|0961-1290|Bimonthly| |ELSEVIER SCI LTD +6873|Iktisat Isletme ve Finans|Economics & Business /|1300-610X|Monthly| |BILGESEL YAYINCILIK SAN & TIC LTD +6874|IL-Merill| |1013-3933|Irregular| |BIRDLIFE MALTA +6875|ILAR Journal|Plant & Animal Science|1084-2020|Quarterly| |INST LABORATORY ANIMAL RESEARCH +6876|Illiesia| |1854-0392|Irregular| |MISSISSIPPI COLL +6877|Illinois Biological Monographs| |0073-4748|Irregular| |UNIV ILLINOIS PRESS +6878|Illinois Journal of Mathematics|Mathematics|0019-2082|Quarterly| |UNIV ILLINOIS URBANA-CHAMPAIGN +6879|Illinois Law Review| |0029-3571| | |NORTHWESTERN UNIV +6880|Illinois Natural History Survey Biological Notes| |0073-490X|Irregular| |ILLINOIS NATURAL HISTORY SURVEY +6881|Illinois Natural History Survey Bulletin| |0073-4918|Irregular| |ILLINOIS NATURAL HISTORY SURVEY +6882|Illinois State Museum Reports of Investigations| |0360-0270|Annual| |ILLINOIS STATE ACAD SCIENCE +6883|IMA Journal of Applied Mathematics|Mathematics / Mathematics|0272-4960|Bimonthly| |OXFORD UNIV PRESS +6884|IMA Journal of Management Mathematics|Mathematics / Management; Management science; Business mathematics|1471-678X|Quarterly| |OXFORD UNIV PRESS +6885|IMA Journal of Mathematical Control and Information|System analysis|0265-0754|Quarterly| |OXFORD UNIV PRESS +6886|IMA Journal of Numerical Analysis|Mathematics / Numerical analysis|0272-4979|Quarterly| |OXFORD UNIV PRESS +6887|Image and Vision Computing|Engineering / Image processing; Computer vision|0262-8856|Monthly| |ELSEVIER SCIENCE BV +6888|Imaging Science Journal|Physics / Photography / Photography|1368-2199|Quarterly| |MANEY PUBLISHING +6889|Imago| |0536-5554|Quarterly| |HUGO HELLER & CIE +6890|Imago Mundi-The International Journal for the History of Cartography|Cartography; Early maps; Cartographie; Cartes anciennes; Cartografie / Cartography; Early maps; Cartographie; Cartes anciennes; Cartografie|0308-5694|Semiannual| |ROUTLEDGE JOURNALS +6891|IMF Staff Papers|Economics & Business / Foreign exchange; Commerce; Currency question; Change; Question monétaire; Monetaire politiek; Internationale economie|1020-7635|Quarterly| |PALGRAVE MACMILLAN LTD +6892|IMI Descriptions of Fungi and Bacteria| | |Quarterly| |CABI PUBLISHING +6893|Immunity|Immunology / Immunity; Allergy and Immunology; Immunologie|1074-7613|Monthly| |CELL PRESS +6894|Immuno-analyse & Biologie Spécialisée|Immunology / /|0923-2532|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +6895|Immunobiology|Immunology / Immunology|0171-2985|Bimonthly| |ELSEVIER GMBH +6896|Immunogenetics|Immunology / Immunogenetics|0093-7711|Monthly| |SPRINGER +6897|Immunologic Research|Immunology / Immunology; Allergy and Immunology|0257-277X|Bimonthly| |HUMANA PRESS INC +6898|Immunological Investigations|Immunology /|0882-0139|Quarterly| |TAYLOR & FRANCIS INC +6899|Immunological Reviews|Immunology / Immunology; Transplantation of organs, tissues, etc; Allergy and Immunology; Transplantation; Immunologie; Greffe (Chirurgie)|0105-2896|Bimonthly| |WILEY-BLACKWELL PUBLISHING +6900|Immunologiya| |0206-4952|Bimonthly| |IZDATELSTVO MEDITSINA +6901|Immunology|Immunology / Immunology; Allergy and Immunology; Immunologie|0019-2805|Monthly| |WILEY-BLACKWELL PUBLISHING +6902|Immunology and Allergy Clinics of North America|Immunology / Allergy and Immunology|0889-8561|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +6903|Immunology and Cell Biology|Immunology / Immunology; Cytology; Allergy and Immunology; Immunologie; Celbiologie|0818-9641|Bimonthly| |NATURE PUBLISHING GROUP +6904|Immunology Endocrine & Metabolic Agents in Medicinal Chemistry|Pharmaceutical chemistry; Endocrine glands; Immune system; Metabolism; Chemistry, Pharmaceutical; Drug Design; Endocrine System; Immunity|1871-5222|Quarterly| |BENTHAM SCIENCE PUBL LTD +6905|Immunology Letters|Immunology / Allergy and Immunology; Immunologie|0165-2478|Monthly| |ELSEVIER SCIENCE BV +6906|Immunopharmacology and Immunotoxicology|Immunology / Immunopharmacology; Immunotoxicology; Allergy and Immunology; Immune System; Pharmacology|0892-3973|Quarterly| |TAYLOR & FRANCIS INC +6907|Immunotherapy|Immunology /|1750-743X|Bimonthly| |FUTURE MEDICINE LTD +6908|Implant Dentistry|Clinical Medicine / Dental Implants; Implants dentaires; Prothèses dentaires|1056-6163|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +6909|Implantologie|Clinical Medicine|0943-9692|Quarterly| |QUINTESSENZ VERLAGS-GMBH +6910|Implementation Science|Social Sciences, general / Medical care; Health Services Research; Delivery of Health Care; Quality of Health Care|1748-5908|Irregular| |BIOMED CENTRAL LTD +6911|Imr-Pinro Joint Report Series| |1502-8828|Irregular| |HAVFORSKNINGSINSTITUTTET +6912|In Practice|Plant & Animal Science|0263-841X|Monthly| |BRITISH VETERINARY ASSOC +6913|In Silico Biology| |1386-6338|Quarterly| |IOS PRESS +6914|in Vitro Cellular & Developmental Biology-Animal|Molecular Biology & Genetics / Cell culture; Tissue culture; Developmental biology; Cell Physiology; Cytology; Developmental Biology; Tissue Culture; Celbiologie; Ontwikkelingsbiologie; Tissus (Histologie); Cellules|1071-2690|Bimonthly| |SPRINGER +6915|in Vitro Cellular & Developmental Biology-Plant|Plant & Animal Science / Plant tissue culture; Plant cell culture; Plant cells and tissues; Plant micropropagation; Plants; Plant cell development; Cytology; Developmental Biology|1054-5476|Bimonthly| |SPRINGER +6916|In Vivo|Clinical Medicine|0258-851X|Bimonthly| |INT INST ANTICANCER RESEARCH +6917|Inc| |0162-8968|Monthly| |INC PUBL CO +6918|Indagationes Mathematicae-New Series|Mathematics / Mathematics; Wiskunde; Mathématiques|0019-3577|Quarterly| |ELSEVIER SCIENCE BV +6919|Independent Review|Economics & Business|1086-1653|Quarterly| |INDEPENDENT INST +6920|Index on Censorship|Censorship; Censuur; Censure; History of communications; Capitalist press, magazines, news agencies|0306-4220|Quarterly| |SAGE PUBLICATIONS LTD +6921|Indian Birds| |0973-1407|Bimonthly| |NEW ORNIS FOUNDATION +6922|Indian Council of Agricultural Research Marine Fisheries Information Service Technical and Extension Series| |0254-380X|Irregular| |CENTRAL MARINE FISHERIES RESEARCH INST +6923|Indian Drugs| |0019-462X|Monthly| |SCIENTIFIC PUBL-INDIA +6924|Indian Economic and Social History Review|Sociaal-economische geschiedenis|0019-4646|Quarterly| |SAGE PUBLICATIONS INDIA PVT LTD +6925|Indian Fern Journal| |0970-2741|Annual| |INDIAN FERN SOC +6926|Indian Forester| |0019-4816|Monthly| |FOREST RESEARCH INST +6927|Indian Journal of Agricultural Research| |0367-8245|Quarterly| |AGRICULTURAL RESEARCH COMMUNICATION CENTRE +6928|Indian Journal of Agricultural Sciences|Agricultural Sciences|0019-5022|Monthly| |INDIAN COUNC AGRICULTURAL RES +6929|Indian Journal of Agronomy|Agricultural Sciences|0537-197X|Quarterly| |INDIAN SOC AGRONOMY +6930|Indian Journal of Animal Health| |0019-5057|Irregular| |WEST BENGAL VETERINARY ASSOC +6931|Indian Journal of Animal Nutrition| |0970-3209|Quarterly| |ANIMAL NUTRITION SOC INDIA +6932|Indian Journal of Animal Research|Plant & Animal Science|0367-6722|Semiannual| |AGRICULTURAL RESEARCH COMMUNICATION CENTRE +6933|Indian Journal of Animal Sciences|Plant & Animal Science|0367-8318|Monthly| |INDIAN COUNC AGRICULTURAL RES +6934|Indian Journal of Applied and Pure Biology| |0970-2091|Semiannual| |INDIAN JOURNAL PURE APPLIED BIOLOGY +6935|Indian Journal of Biochemistry & Biophysics|Biology & Biochemistry|0301-1208|Bimonthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6936|Indian Journal of Biotechnology|Biology & Biochemistry|0972-5849|Quarterly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6937|Indian Journal of Cancer| |0019-509X|Irregular| |INDIAN CANCER SOC +6938|Indian Journal of Chemical Technology|Chemistry|0971-457X|Bimonthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6939|Indian Journal of Chemistry Section A-Inorganic Bio-Inorganic Physical Theoretical & Analytical Chemistry|Chemistry|0376-4710|Monthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6940|Indian Journal of Chemistry Section B-Organic Chemistry including Medicinal Chemistry|Chemistry|0376-4699|Monthly| |COUNCIL SCIENTIFIC & INDUSTRIAL RES +6941|Indian Journal of Clinical Biochemistry|Clinical biochemistry; Biochemistry; Chemistry, Clinical|0970-1915|Semiannual| |SPRINGER +6942|Indian Journal of Dermatology Venereology & Leprology|Clinical Medicine /|0378-6323|Bimonthly| |MEDKNOW PUBLICATIONS +6943|Indian Journal of Earth Sciences| |0379-5128|Annual| |INDIAN SOC EARTH SCIENCES +6944|Indian Journal of Ecology| |0304-5250|Semiannual| |INDIAN ECOLOGICAL SOC +6945|Indian Journal of Engineering and Materials Sciences|Engineering|0971-4588|Bimonthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6946|Indian Journal of Entomology| |0367-8288|Quarterly| |ENTOMOLOGICAL SOC INDIA +6947|Indian Journal of Experimental Biology|Biology & Biochemistry|0019-5189|Monthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6948|Indian Journal of Fisheries|Plant & Animal Science|0970-6011|Quarterly| |CENTRAL MARINE FISHERIES RESEARCH INST +6949|Indian Journal of Gender Studies|Women's studies; Women in development|0971-5215|Tri-annual| |SAGE PUBLICATIONS INDIA PVT LTD +6950|Indian Journal of Genetics and Plant Breeding|Agricultural Sciences|0019-5200|Tri-annual| |INDIAN SOC GENET PLANT BREEDING +6951|Indian Journal of Geology| |0970-1354|Quarterly| |GEOLOGICAL +6952|Indian Journal of Hematology and Blood Transfusion|Clinical Medicine / Hematologic Diseases; Blood Transfusion; Hematology|0974-0449|Quarterly| |SPRINGER INDIA +6953|Indian Journal of Heterocyclic Chemistry|Chemistry|0971-1627|Quarterly| |DR R S VARMA +6954|Indian Journal of Horticulture|Plant & Animal Science|0972-8538|Quarterly| |HORTICULTURAL SOC INDIA +6955|Indian Journal of Marine Sciences|Plant & Animal Science|0379-5136|Quarterly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6956|Indian Journal of Medical Microbiology|Microbiology /|0255-0857|Quarterly| |MEDKNOW PUBLICATIONS +6957|Indian Journal of Medical Research|Clinical Medicine|0971-5916|Monthly| |INDIAN COUNCIL MEDICAL RES +6958|Indian Journal of Microbiology|Microbiology / Microbiology|0046-8991|Quarterly| |SPRINGER +6959|Indian Journal of Natural Products| |0970-129X|Semiannual| |INDIAN SOC PHARMACOGNOSY +6960|Indian Journal of Natural Rubber Research| |0970-2431|Semiannual| |RUBBER RESEARCH INST INDIA +6961|Indian Journal of Ophthalmology|Clinical Medicine /|0301-4738|Bimonthly| |ALL INDIA OPHTHALMOLOGICAL SOC +6962|Indian Journal of Orthopaedics|Clinical Medicine /|0019-5413|Quarterly| |MEDKNOW PUBLICATIONS +6963|Indian Journal of Otolaryngology and Head & Neck Surgery|Clinical Medicine / Otolaryngology|0019-5421|Quarterly| |SPRINGER +6964|Indian Journal of Pathology and Microbiology|Microbiology /|0377-4929|Quarterly| |MEDKNOW PUBLICATIONS +6965|Indian Journal of Pediatrics|Clinical Medicine / Pediatrics|0019-5456|Monthly| |ALL INDIA INST MEDICAL SCIENCES +6966|Indian Journal of Pharmaceutical Education and Research|Pharmacology & Toxicology|0019-5464|Quarterly| |ASSOC PHARMACEUTICAL TEACHERS INDIA +6967|Indian Journal of Pharmaceutical Sciences|Pharmacology & Toxicology /|0250-474X|Bimonthly| |MEDKNOW PUBLICATIONS +6968|Indian Journal of Pharmacology|Pharmacology & Toxicology /|0253-7613|Bimonthly| |MEDKNOW PUBLICATIONS +6969|Indian Journal of Physics| |0973-1458|Monthly| |INDIAN ASSOC CULTIVATION SCIENCE +6970|Indian Journal of Physiology and Pharmacology| |0019-5499|Quarterly| |ASSOC PHYSIOLOGISTS & PHARMACOLOGISTS INDIA-A P P I +6971|Indian Journal of Plant Physiology| |0019-5502|Quarterly| |INDIAN SOC PLANT PHYSIOLOGY +6972|Indian Journal of Plant Protection| |0253-4355|Semiannual| |PLANT PROTECTION ASSOC INDIA +6973|Indian Journal of Poultry Science| |0019-5529|Quarterly| |INDIAN POULTRY SCIENCE ASSOC-IPSA +6974|Indian Journal of Pure & Applied Mathematics|Mathematics /|0019-5588|Bimonthly| |SCIENTIFIC PUBL-INDIA +6975|Indian Journal of Pure & Applied Physics|Physics|0019-5596|Monthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6976|Indian Journal of Science and Technology| |0974-5645|Monthly| |INDIAN J SCIENCE & TECHNOLOGY +6977|Indian Journal of Sericulture| |0445-7722|Semiannual| |CENTRAL SERICULTURAL RESEARCH & TRAINING INST +6978|Indian Journal of Social Work|Social Sciences, general|0019-5634|Quarterly| |TATA INST SOCIAL SCIENCE P O BOX 8313 +6979|Indian Journal of Surgery|Clinical Medicine /|0972-2068|Bimonthly| |SPRINGER INDIA +6980|Indian Journal of Traditional Knowledge|Plant & Animal Science|0972-5938|Quarterly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +6981|Indian Journal of Veterinary Surgery| |0254-4105|Semiannual| |INDIAN SOC VETERINARY SURGERY +6982|Indian Journal of Virology|Microbiology /|0970-2822|Semiannual| |INDIAN VIROLOGICAL SOC +6983|Indian Ocean Turtle Newsletter| |0973-1695|Semiannual| |ASHOKA TRUST RESEARCH ECOLOGY ENVIRONMENT +6984|Indian Pediatrics| |0019-6061|Monthly| |INDIAN ACAD PEDIATRICS +6985|Indian Science Congress Association Proceedings| |0373-0786|Quarterly| |INDIAN SCIENCE CONGRESS ASSOC +6986|Indian Veterinary Journal|Plant & Animal Science|0019-6479|Monthly| |INDIAN VETERINARY JOURNAL +6987|Indian Veterinary Medical Journal| |0250-5266|Irregular| |U P VETERINARY ASSOC +6988|Indiana Audubon Quarterly| |0019-6525|Quarterly| |INDIANA AUDUBON SOC INC +6989|Indiana Law Journal|Social Sciences, general|0019-6665|Quarterly| |INDIANA LAW JOURNAL +6990|Indiana University Mathematics Journal|Mathematics / Mathematics; Mathématiques|0022-2518|Bimonthly| |INDIANA UNIV MATH JOURNAL +6991|Indo-Iranian Journal|Indo-Iranian philology|0019-7246|Quarterly| |SPRINGER +6992|Indo-Pacific Fishes| |0736-0460|Irregular| |BISHOP MUSEUM PRESS +6993|Indogermanische Forschungen|Social Sciences, general /|0019-7262|Annual| |WALTER DE GRUYTER & CO +6994|Indonesia and the Malay World| |1363-9811|Tri-annual| |ROUTLEDGE JOURNALS +6995|Indonesian Journal of Agricultural Science| |1411-982X| | |PUSAT PERPUSTAKAAN DAN PENYEBARAN TEKNOLOGI PERTANIAN +6996|Indoor Air|Engineering / Indoor air pollution; Sick building syndrome; Ventilation; Air Pollution, Indoor|0905-6947|Quarterly| |WILEY-BLACKWELL PUBLISHING +6997|Indoor and Built Environment|Immunology / Indoor air pollution; Environmental health; Air Pollution, Indoor; Environmental Exposure; Environmental Illness; Facility Design and Construction; Sick Building Syndrome; Ventilation / Indoor air pollution; Environmental health; Air Polluti|1420-326X|Bimonthly| |SAGE PUBLICATIONS LTD +6998|Industria Textila|Materials Science|1222-5347|Quarterly| |INST NATL CERCETARE-DEZVOLTARE TEXTILE PIELARIE-BUCURESTI +6999|Industrial & Engineering Chemistry Research|Engineering / Chemical engineering; Chemistry, Technical; Industrial engineering; Chemische technologie|0888-5885|Biweekly| |AMER CHEMICAL SOC +7000|Industrial & Labor Relations Review|Economics & Business / Industrial relations; Arbeidsverhoudingen; Industriële organisatie; Relations industrielles|0019-7939|Quarterly| |INDUSTRIAL LABOR RELAT REV +7001|Industrial and Corporate Change|Economics & Business / Organizational change; Organizational effectiveness; Industrial management; Industriële ontwikkeling; Technische ontwikkeling; Economische ontwikkeling|0960-6491|Bimonthly| |OXFORD UNIV PRESS +7002|Industrial and Engineering Chemistry|Chemistry, Technical|0019-7866|Monthly| |AMER CHEMICAL SOC +7003|Industrial and Engineering Chemistry-Analytical Edition|Chemistry, Technical; Chemistry, Analytic; Chemistry, Analytical|0096-4484|Annual| |AMER CHEMICAL SOC +7004|Industrial Ceramics|Materials Science|1121-7588|Tri-annual| |TECHNA SRL +7005|Industrial Crops and Products|Agricultural Sciences / Crops; Plant products|0926-6690|Bimonthly| |ELSEVIER SCIENCE BV +7006|Industrial Diamond Review|Materials Science|0019-8145|Quarterly| |INDUSTRIAL DIAMOND REVIEW +7007|Industrial Engineer|Engineering|1542-894X|Monthly| |INST INDUSTRIAL ENGINEERS +7008|Industrial Health|Environment/Ecology / Industrial hygiene; Occupational Health; Environmental Health|0019-8366|Quarterly| |NATL INST OCCUPATIONAL SAFETY & HEALTH +7009|Industrial Lubrication and Tribology|Engineering / Lubrication and lubricants; Tribology|0036-8792|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7010|Industrial Management & Data Systems|Engineering / Industrial management; Electronic data processing; Business / Industrial management; Electronic data processing; Business / Industrial management; Electronic data processing; Business|0263-5577|Monthly| |EMERALD GROUP PUBLISHING LIMITED +7011|Industrial Marketing Management|Economics & Business / Industrial marketing; Marketing research|0019-8501|Bimonthly| |ELSEVIER SCIENCE INC +7012|Industrial Relations|Economics & Business / Industrial relations; Arbeidsverhoudingen|0019-8676|Tri-annual| |WILEY-BLACKWELL PUBLISHING +7013|Industrial Robot-An International Journal|Engineering / Robots, Industrial; Machinery in the workplace / Robots, Industrial; Machinery in the workplace|0143-991X|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7014|Industry and Innovation|Social Sciences, general / Technological innovations; Industrial management; Industrial policy; Industries / Technological innovations; Industrial management; Industrial policy; Industries|1366-2716|Bimonthly| |ROUTLEDGE JOURNALS +7015|Industry Week| |0039-0895|Monthly| |PENTON MEDIA +7016|Infancia y Aprendizaje|Psychiatry/Psychology / Educational psychology; Teaching; Education|0210-3702|Quarterly| |FUNDACION INFANCIA APRENDIZAJE +7017|Infancy|Psychiatry/Psychology / Infant psychology; Infants; Infant; Child Development; Première enfance; Enfants; Nourrissons|1525-0008|Bimonthly| |JOHN WILEY & SONS INC +7018|Infant and Child Development|Psychiatry/Psychology / Child development; Child psychology; Parenting; Child rearing; Éducation des enfants; Rôle parental; Enfants; Child Development; Child Psychology; Child Rearing|1522-7227|Bimonthly| |JOHN WILEY & SONS LTD +7019|Infant Behavior & Development|Psychiatry/Psychology / Infant psychology; Infants; Child Behavior; Child Development; Infant; Zuigelingen; Gedrag; Ontwikkeling (psychologie); Enfants|0163-6383|Quarterly| |ELSEVIER SCIENCE INC +7020|Infant Mental Health Journal|Psychiatry/Psychology / Infant psychiatry; Infant psychology; Child Development; Child Psychiatry; Mental Health; Mental Health Services; Child; Infant; Psychiatrie; Pasgeborenen|0163-9641|Quarterly| |MICHIGAN ASSOC INFANT MENTAL HEALTH +7021|Infants and Young Children|Social Sciences, general /|0896-3746|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +7022|Infection|Immunology / Infection; Infectieziekten|0300-8126|Bimonthly| |URBAN & VOGEL +7023|Infection and Immunity|Immunology / Microbiology; Medical microbiology; Immunology; Immunity; Infection; Immunopathologie; Infectieziekten; Microbiologie; Microbiologie médicale; Immunologie|0019-9567|Monthly| |AMER SOC MICROBIOLOGY +7024|Infection Control and Hospital Epidemiology|Clinical Medicine / Nosocomial infections; Health facilities; Hospital buildings; Cross Infection; Epidemiology; Hospitals; Infection Control|0899-823X|Monthly| |UNIV CHICAGO PRESS +7025|Infection Genetics and Evolution|Molecular Biology & Genetics / Communicable diseases; Molecular epidemiology; Evolutionary genetics; Communicable Diseases; Epidemiology, Molecular; Evolution, Molecular|1567-1348|Quarterly| |ELSEVIER SCIENCE BV +7026|Infections in Medicine|Clinical Medicine|0749-6524|Monthly| |CMP MEDIA LLC +7027|Infectious Disease Clinics of North America|Clinical Medicine / Communicable diseases; Communicable Diseases; Infectieziekten|0891-5520|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +7028|Infectious Diseases in Clinical Practice|Clinical Medicine / Communicable diseases; Communicable Diseases / Communicable diseases; Communicable Diseases|1056-9103|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +7029|Infectious Disorders-Drug Targets|Communicable diseases; Drug delivery systems; Drugs; Communicable Diseases; Drug Delivery Systems; Drug Design|1871-5265|Quarterly| |BENTHAM SCIENCE PUBL LTD +7030|Infini| |0754-023X|Quarterly| |EDITIONS GALLIMARD +7031|Infinite Dimensional Analysis Quantum Probability and Related Topics|Mathematics / Dimensional analysis; Quantum theory; Probabilities|0219-0257|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7032|Inflammation|Immunology / Inflammation|0360-3997|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +7033|Inflammation & Allergy Drug Targets| |1871-5281|Quarterly| |BENTHAM SCIENCE PUBL LTD +7034|Inflammation Research|Immunology / Pharmacology; Inflammation; Medicine; Ontstekingen (geneeskunde); Anti-inflammatoires; Inflammation (Pathologie)|1023-3830|Monthly| |BIRKHAUSER VERLAG AG +7035|Inflammatory Bowel Diseases|Clinical Medicine / Inflammatory bowel diseases; Colitis, Ulcerative; Crohn Disease; Inflammatory Bowel Diseases|1078-0998|Monthly| |JOHN WILEY & SONS INC +7036|Inflammopharmacology|Anti-inflammatory agents; Inflammation; Anti-Inflammatory Agents|0925-4692|Quarterly| |BIRKHAUSER VERLAG AG +7037|Influenza and Other Respiratory Viruses|Clinical Medicine / Influenza; Respiratory organs; Virus diseases; Influenza, Human; Respiratory Tract Infections; Virus Diseases|1750-2640|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7038|Info-Heft Nabu Hagen| | |Semiannual| |STADTVERBAND HAGEN E.V. IM NATURSCHUTZBUND DEUTSCHLAND E.V. +7039|Infor|Engineering / Operations research; Electronic data processing; Systems engineering|0315-5986|Quarterly| |UNIV TORONTO PRESS INC +7040|Informacao & Sociedade-Estudos|Social Sciences, general|0104-0146|Tri-annual| |UNIV FED PARAIBA CCSA +7041|Informacije Midem-Journal of Microelectronics Electronic Components and Materials|Engineering|0352-9045|Quarterly| |SOC MICROELECTRONICS +7042|Informacios Tarsadalom|Social Sciences, general|1587-8694|Quarterly| |INFONIA +7043|Informal Logic| |0824-2577|Quarterly| |UNIV WINDSOR +7044|Informatica|Mathematics|0868-4952|Quarterly| |INST MATHEMATICS & INFORMATICS +7045|Informatics for Health & Social Care|Clinical Medicine / Medicine; Medical informatics; Medical Informatics|1753-8157|Quarterly| |INFORMA HEALTHCARE +7046|Information & Management|Social Sciences, general / Management information systems; Management; Information services|0378-7206|Bimonthly| |ELSEVIER SCIENCE BV +7047|Information and Computation|Computer Science / Information theory; Automatic control; Informatica; Computers|0890-5401|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +7048|Information and Software Technology|Computer Science / Business; Information storage and retrieval systems; Computer software; Computer programs|0950-5849|Monthly| |ELSEVIER SCIENCE BV +7049|Information Development|Social Sciences, general / International librarianship; Library science; Information science; Library cooperation; Archives|1741-6469|Quarterly| |SAGE PUBLICATIONS LTD +7050|Information Economics and Policy|Economics & Business / Communication; Communication policy; Mass media; Mass media policy; Telecommunication; Telecommunication policy|0167-6245|Quarterly| |ELSEVIER SCIENCE BV +7051|Information Fusion|Mathematics / Information theory in mathematics; Multisensor data fusion|1566-2535|Quarterly| |ELSEVIER SCIENCE BV +7052|Information Processing & Management|Social Sciences, general / Information storage and retrieval systems; Information science|0306-4573|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7053|Information Processing Letters|Computer Science / Electronic data processing; Machine theory; Information storage and retrieval systems; Informatique; Automates mathématiques, Théorie des; Systèmes d'information|0020-0190|Monthly| |ELSEVIER SCIENCE BV +7054|Information Research-An International Electronic Journal|Computer Science|1368-1613|Quarterly| |UNIV SHEFFIELD DEPT INFORMATION STUDIES +7055|Information Retrieval|Social Sciences, general / Text processing (Computer science); Information retrieval; Information storage and retrieval|1386-4564|Bimonthly| |SPRINGER +7056|Information Sciences|Computer Science / Information science|0020-0255|Semimonthly| |ELSEVIER SCIENCE INC +7057|Information Society|Social Sciences, general / Information science|0197-2243|Quarterly| |TAYLOR & FRANCIS INC +7058|Information Systems|Computer Science / Database management; Electronic data processing; Databanken|0306-4379|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7059|Information Systems Frontiers|Computer Science / Information resources management; Information technology|1387-3326|Bimonthly| |SPRINGER +7060|Information Systems Journal|Social Sciences, general / Information technology; Management information systems|1350-1917|Quarterly| |WILEY-BLACKWELL PUBLISHING +7061|Information Systems Management|Computer Science / Management information systems; Information resources management; Informatiesystemen; Management informatiesystemen; Systèmes d'information de gestion; Gestion de l'information|1058-0530|Quarterly| |AUERBACH PUBLICATIONS +7062|Information Systems Research|Social Sciences, general / Electronic data processing; Information storage and retrieval systems; Computers; Information technology; Systèmes d'information|1047-7047|Quarterly| |INFORMS +7063|Information Technology & Management|Economics & Business / Information technology; Management information systems|1385-951X|Quarterly| |SPRINGER +7064|Information Technology & People|Information technology; Management information systems; Human-computer interaction / Information technology; Management information systems; Human-computer interaction / Information technology; Management information systems; Human-computer interaction|0959-3845|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +7065|Information Technology and Control|Computer Science|1392-124X|Semiannual| |KAUNAS UNIV TECHNOLOGY +7066|Information Technology and Libraries|Social Sciences, general|0730-9295|Quarterly| |AMER LIBRARY ASSOC +7067|Information Visualization|Computer Science / Information display systems; Visualization; Computer Graphics; Image Processing, Computer-Assisted|1473-8716|Quarterly| |PALGRAVE MACMILLAN LTD +7068|Information-An International Interdisciplinary Journal|Computer Science|1343-4500|Bimonthly| |INT INFORMATION INST +7069|Informationen aus der Fischereiforschung| |1860-9902|Annual| |BUNDESFORSCHUNGSANSTALT FISCHEREI +7070|Informatore Botanico Italiano| |0020-0697|Tri-annual| |SOC BOTANICA ITALIANA +7071|Informatsionnyi Sbornik Evro-Aziatskoi Regionalnoi Assotsiatsii Zooparkov I Akvariumov| | |Irregular| |EVRO-AZIATSKAYA REGIONAL NAYA ASSOTSIATSIYA ZOOPARKOV I AKVARIUMOV- EARAZA +7072|Informes de la Construcción|Engineering /|0020-0883|Quarterly| |INST CIENCIAS CONSTRUCCION EDUARDO TORROJA +7073|INFORMS Journal on Computing|Computer Science / Operations research|1091-9856|Quarterly| |INFORMS +7074|Infrared Physics & Technology|Physics / Infrared spectra; Infrared radiation|1350-4495|Bimonthly| |ELSEVIER SCIENCE BV +7075|Infusion| |1080-3858|Bimonthly| |NATL HOME INFUSION ASSOC +7076|Ingenieria Quimica|Chemistry|0797-4930|Irregular| |ASOCIACION INGENIEROS +7077|Inhalation Toxicology|Pharmacology & Toxicology / Toxicology; Pulmonary toxicology; Air Pollutants; Respiratory System|0895-8378|Monthly| |TAYLOR & FRANCIS INC +7078|Inia Divulga| | |Irregular| |INST NACIONAL INVESTIGACIONES AGRICOLAS-INIA +7079|Inidep Informe Tecnico| |0327-9642|Irregular| |INST NACIONAL INVESTIGACION DESARROLLO PESQUERO +7080|Injury Prevention|Clinical Medicine / Children's accidents; Accidents; Accident Prevention; Wounds and Injuries; Adolescent; Child; Infant|1353-8047|Quarterly| |B M J PUBLISHING GROUP +7081|Injury-International Journal of the Care of the Injured|Clinical Medicine / Accidents; Wounds and injuries; Wounds and Injuries; Ongevallen; Chirurgie (geneeskunde)|0020-1383|Monthly| |ELSEVIER SCI LTD +7082|Inland Water Biology|Environment/Ecology /|1995-0829|Quarterly| |SPRINGER +7083|Innate Immunity|Immunology / Endotoxins; Immunity, Natural|1753-4259|Bimonthly| |SAGE PUBLICATIONS LTD +7084|Innova Ciencia| | |Irregular| |FONDO MIXTO INVESTIGACION-CONACYT +7085|Innovar-Revista de Ciencias Administrativas Y Sociales|Social Sciences, general|0121-5051|Tri-annual| |UNIV NACIONAL COLOMBIA +7086|Innovation-Management Policy & Practice|Economics & Business /|1447-9338|Quarterly| |ECONTENT MANAGEMENT +7087|Innovation-The European Journal of Social Science Research|Social Sciences, general / Social sciences / Social sciences|1351-1610|Quarterly| |ROUTLEDGE JOURNALS +7088|Innovations in Education and Teaching International|Social Sciences, general / Programmed instruction; Educational technology; Instructional systems; Enseignement programmé; Technologie éducative; Enseignement, Systèmes d'; Onderwijsvernieuwing; Geprogrammeerde instructie; Onderwijstechnologie / Programme|1470-3297|Quarterly| |ROUTLEDGE JOURNALS +7089|Innovative Food Science & Emerging Technologies|Agricultural Sciences / Food|1466-8564|Quarterly| |ELSEVIER SCI LTD +7090|Inorganic Chemistry|Chemistry / Chemistry, Inorganic; Bioinorganic chemistry; Chemistry; Anorganische chemie|0020-1669|Biweekly| |AMER CHEMICAL SOC +7091|Inorganic Chemistry Communications|Chemistry / Chemistry, Inorganic; Organometallic chemistry; Anorganische chemie; Coördinatieverbindingen; Organometaalverbindingen|1387-7003|Monthly| |ELSEVIER SCIENCE BV +7092|Inorganic Materials|Materials Science / Metals; Materials; Chemistry, Inorganic|0020-1685|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +7093|Inorganica Chimica Acta|Chemistry / Chemistry, Inorganic; Actinide elements; Rare earth metals|0020-1693|Semimonthly| |ELSEVIER SCIENCE SA +7094|Inquiry-An Interdisciplinary Journal of Philosophy|Philosophy; Social sciences; Social Sciences|0020-174X|Bimonthly| |ROUTLEDGE JOURNALS +7095|Inquiry-The Journal of Health Care Organization Provision and Financing|Social Sciences, general|0046-9580|Quarterly| |BLUE CROSS BLUE SHIELD ASSOC +7096|Insect Biochemistry and Molecular Biology|Plant & Animal Science / Insect biochemistry; Insects; Biochemistry; Molecular Biology|0965-1748|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7097|Insect Conservation and Diversity|Plant & Animal Science / Entomology; Insects; Biodiversity|1752-458X|Quarterly| |WILEY-LISS +7098|Insect Molecular Biology|Plant & Animal Science / Insects; Molecular Biology|0962-1075|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7099|Insect Science|Plant & Animal Science / Insects; Entomology|1672-9609|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7100|Insect Systematics & Evolution|Plant & Animal Science /|1399-560X|Quarterly| |APOLLO BOOKS +7101|Insecta| |1431-9721|Annual| |NATURSCHUTZBUND DEUTSCHLAND-NABU +7102|Insecta Matsumurana| |0020-1804|Irregular| |HOKKAIDO UNIV +7103|Insecta Mundi| |0749-6737|Quarterly| |CTR SYSTEMATIC ENTOMOLOGY INC +7104|Insecta Norvegiae| |0800-1790|Irregular| |NORWEGIAN ENTOMOLOGICAL SOC +7105|Insectes| |0994-3544|Quarterly| |OFFICE INFORMATION ECO-ENTOMOLOGIQUE-OPIE +7106|Insectes Sociaux|Plant & Animal Science / Insect societies; Insect Control; Insects|0020-1812|Quarterly| |BIRKHAUSER VERLAG AG +7107|Insects of Korea| | |Irregular| |KOREA RESEARCH INST BIOSCIENCE BIOTECHNOLOGY-KRIBB +7108|Insekt-Nytt| |0800-1804|Quarterly| |NORSK ENTOMOLOGISK FORENING +7109|Insight|Engineering / Nondestructive testing|1354-2575|Irregular| |BRITISH INST NON-DESTRUCTIVE TESTING +7110|Institut Royal des Sciences Naturelles de Belgique Documents de Travail| |0777-0111|Irregular| |INST ROYAL SCIENCES NATURELLES BELGIQUE +7111|Institut Za Oceanografiju I Ribarstvo Split Biljeske| |0561-6360|Irregular| |INST OCEANOGRAFIJU I RIBARSTVO +7112|Institute for Fermentation Research Communications-Osaka| |0073-8751|Irregular| |INST FERMENTATION +7113|Institute of Geological & Nuclear Sciences Monograph| |1172-028X|Irregular| |INST GEOLOGICAL NUCLEAR SCIENCES +7114|Instituto Antartico Argentino Publicacion| |0521-520X|Annual| |INST ANTARTICO ARGENTINO +7115|Instituto Antartico Chileno Serie Cientifica| |0073-9871|Irregular| |INST ANTARTICO CHILENO +7116|Instituto de Investigacao Cientifica Tropical Estudos Ensaios E Documentos| |0870-001X|Irregular| |INST INVESTIGACAO CIENTIFICA TROPICAL +7117|Instituto Superior de Correlacion Geologica Miscelanea| |1514-4836|Irregular| |INST SUPERIOR CORRELACION GEOLOGICA +7118|Instructional Science|Social Sciences, general / Teaching; Learning, Psychology of; Education|0020-4277|Bimonthly| |SPRINGER +7119|Instrumentation Science & Technology|Engineering / Scientific apparatus and instruments; Biochemistry; Biotechnology; Equipment Design; Equipment and Supplies; Technology, Medical|1073-9149|Bimonthly| |TAYLOR & FRANCIS INC +7120|Instruments and Experimental Techniques|Engineering / Physical instruments|0020-4412|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +7121|Insula-Revista de Letras Y Ciencias Humanas| |0020-4536|Monthly| |INSULA LIBRERIA EDIC PUBL SA +7122|Insula-Revista Do Horto Botanico| |0101-9554|Annual| |UNIV FEDERAL SANTA CATARINA +7123|Insurance Mathematics & Economics|Economics & Business / Insurance; Actuaries; Risk (Insurance)|0167-6687|Bimonthly| |ELSEVIER SCIENCE BV +7124|Integral Equations and Operator Theory|Mathematics / Integral equations; Operator theory|0378-620X|Monthly| |BIRKHAUSER VERLAG AG +7125|Integral Transforms and Special Functions|Mathematics / Integral transforms; Transcendental functions; Transformations (Mathematics); Calculus, Integral; Integraaltransformaties; Speciale functies (wiskunde)|1065-2469|Monthly| |TAYLOR & FRANCIS LTD +7126|Integrated Computer-Aided Engineering|Computer Science|1069-2509|Quarterly| |IOS PRESS +7127|Integrated Environmental Assessment and Management|Environmental management; Pollution; Environmental toxicology; Environmental risk assessment; Environmental impact analysis; Environmental Monitoring; Risk Assessment; Environmental Pollution; Decision Making|1551-3777|Irregular| |SETAC PRESS +7128|Integrated Ferroelectrics|Engineering / Ferroelectric devices; Integrated circuits|1058-4587|Monthly| |TAYLOR & FRANCIS LTD +7129|Integration-The Vlsi Journal|Computer Science / Integrated circuits; Digital electronics|0167-9260|Quarterly| |ELSEVIER SCIENCE BV +7130|Integrative and Comparative Biology|Plant & Animal Science / Zoology; Biologie|1540-7063|Bimonthly| |OXFORD UNIV PRESS INC +7131|Integrative Biology|Biology & Biochemistry /|1757-9694|Monthly| |ROYAL SOC CHEMISTRY +7132|Integrative Cancer Therapies|Clinical Medicine / Cancer; Neoplasms; Soins intégrés de santé; Soins à domicile; Médecine douce|1534-7354|Quarterly| |SAGE PUBLICATIONS INC +7133|Integrative Psychological and Behavioral Science|Psychiatry/Psychology / Psychology; Conditioned response; Behavioral Sciences; Conditioning (Psychology); Neuropsychology|1932-4502|Quarterly| |SPRINGER +7134|Integrative Zoology|Plant & Animal Science /|1749-4877|Quarterly| |WILEY-BLACKWELL PUBLISHING +7135|Intellectual and Developmental Disabilities|Social Sciences, general /|1934-9491|Bimonthly| |AMER ASSOC INTELLECTUAL DEVELOPMENTAL DISABILITIES +7136|Intelligence|Psychiatry/Psychology / Intellect; Intelligence tests; Intelligence; Intelligentie|0160-2896|Bimonthly| |ELSEVIER SCIENCE INC +7137|Intelligent Automation and Soft Computing|Engineering|1079-8587|Quarterly| |AUTOSOFT PRESS +7138|Intelligent Data Analysis|Computer Science / Artificial intelligence; Mathematical statistics|1088-467X|Bimonthly| |IOS PRESS +7139|Intensiv und Notfallbehandlung| |0947-5362|Quarterly| |DUSTRI-VERLAG DR KARL FEISTLE +7140|Intensive Care Medicine|Clinical Medicine / Critical care medicine; Intensive care units; Critical Care; Intensive Care Units; Intensive care|0342-4642|Monthly| |SPRINGER +7141|Intensivmedizin und Notfallmedizin|Critical care medicine; Emergency medicine; Critical Care; Emergencies / Critical care medicine; Emergency medicine; Critical Care; Emergencies|0175-3851|Bimonthly| |DR DIETRICH STEINKOPFF VERLAG +7142|Inter-American Tropical Tuna Commission Bulletin| |0074-0993|Irregular| |INTER-AMER TROPICAL TUNA COMMISSION-IATTC +7143|Inter-American Tropical Tuna Commission Stock Assessment Report| |1532-7337|Annual| |INTER-AMER TROPICAL TUNA COMMISSION-IATTC +7144|Inter-Asia Cultural Studies|Social Sciences, general / Culture|1464-9373|Quarterly| |ROUTLEDGE JOURNALS +7145|Interacting with Computers|Computer Science / Human-computer interaction; Mens-computer-interactie|0953-5438|Bimonthly| |ELSEVIER SCIENCE BV +7146|Interaction Studies|Social Sciences, general / Communication; Language and languages; Human-animal communication; Animal communication; Human-computer interaction; Robotics|1572-0373|Tri-annual| |JOHN BENJAMINS PUBLISHING COMPANY +7147|Interactive Learning Environments|Social Sciences, general / Educational technology; Computergestuurd onderwijs|1049-4820|Tri-annual| |ROUTLEDGE JOURNALS +7148|Interciencia|Plant & Animal Science|0378-1844|Bimonthly| |INTERCIENCIA +7149|Intercultural Pragmatics|Social Sciences, general / Pragmatics; Language and languages|1612-295X|Quarterly| |MOUTON DE GRUYTER +7150|Interdisciplinary Information Sciences|Information science; Communication; Information technology|1340-9050|Semiannual| |TOHOKU UNIVERSITY +7151|Interdisciplinary Science Reviews|Multidisciplinary / Science; Technology|0308-0188|Quarterly| |MANEY PUBLISHING +7152|Interfaces|Economics & Business / Management; Operations research; Gestion; MANAGEMENT|0092-2102|Bimonthly| |INFORMS +7153|Interfaces and Free Boundaries|Mathematics /|1463-9963|Quarterly| |EUROPEAN MATHEMATICAL SOC +7154|Interlending & Document Supply|Social Sciences, general / Interlibrary loans; Library cooperation; Document delivery / Interlibrary loans; Library cooperation; Document delivery / Interlibrary loans; Library cooperation; Document delivery|0264-1615|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +7155|Intermetallics|Materials Science / Intermetallic compounds; Metallic glasses; Composés intermétalliques|0966-9795|Monthly| |ELSEVIER SCI LTD +7156|Intermountain Journal of Sciences| |1081-3519|Irregular| |INTERMOUNTAIN JOURNAL SCIENCES +7157|Internal and Emergency Medicine|Clinical Medicine / Internal medicine; Emergency medicine; Internal Medicine; Emergencies; Emergency Medical Services|1828-0447|Quarterly| |SPRINGER +7158|Internal Medicine|Clinical Medicine / Internal medicine; Internal Medicine|0918-2918|Monthly| |JAPAN SOC INTERNAL MEDICINE +7159|Internal Medicine Journal|Clinical Medicine / Medicine; Internal Medicine|1444-0903|Monthly| |WILEY-BLACKWELL PUBLISHING +7160|Internasjonal Politikk|Social Sciences, general|0020-577X|Quarterly| |NORSK UTENRIKSPOLITISK INST +7161|International Affairs|Social Sciences, general / International relations; World politics / International relations; World politics|0020-5850|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7162|International Agrophysics|Agricultural Sciences|0236-8722|Quarterly| |POLISH ACAD SCIENCES +7163|International Angiology|Clinical Medicine|0392-9590|Quarterly| |EDIZIONI MINERVA MEDICA +7164|International Arab Journal of Information Technology|Computer Science|1683-3198|Quarterly| |ZARKA PRIVATE UNIV +7165|International Archives of Allergy and Immunology|Immunology / Allergy; Immunology; Allergy and Immunology; Hypersensitivity; Allergie; Immunologie|1018-2438|Monthly| |KARGER +7166|International Archives of Occupational and Environmental Health|Pharmacology & Toxicology / Medicine, Industrial; Environmental health; Environmental Health; Occupational Medicine / Medicine, Industrial; Environmental health; Environmental Health; Occupational Medicine / Medicine, Industrial; Environmental health; En|0340-0131|Bimonthly| |SPRINGER +7167|International Biodeterioration & Biodegradation|Environment/Ecology / Biodegradation; Bioremediation / Biodegradation; Bioremediation|0964-8305|Bimonthly| |ELSEVIER SCI LTD +7168|International Business Review|Economics & Business / International business enterprises|0969-5931|Irregular| |ELSEVIER SCIENCE BV +7169|International Clinical Psychopharmacology|Neuroscience & Behavior / Psychopharmacology; Psychofarmacologie|0268-1315|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +7170|International Commission for the Conservation of Atlantic Tunas Collectivevolume of Scientific Papers| |1021-5212|Irregular| |International Commission for the Conservation of Atlantic Tunas +7171|International Communications in Heat and Mass Transfer|Engineering / Heat; Mass transfer|0735-1933|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7172|International Dairy Journal|Agricultural Sciences / Dairying|0958-6946|Monthly| |ELSEVIER SCI LTD +7173|International Dental Journal|Clinical Medicine / Dentistry|0020-6539|Bimonthly| |F D I WORLD DENTAL PRESS LTD +7174|International Development Planning Review|Social Sciences, general /|1474-6743|Quarterly| |LIVERPOOL UNIV PRESS +7175|International Economic Review|Economics & Business / Economics|0020-6598|Quarterly| |WILEY-BLACKWELL PUBLISHING +7176|International Endodontic Journal|Clinical Medicine / Endodontics; Dentistry|0143-2885|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7177|International Environmental Agreements-Politics Law and Economics|Social Sciences, general / Environmental policy; Environmental law, International / Environmental policy; Environmental law, International|1567-9764|Quarterly| |SPRINGER +7178|International Feminist Journal of Politics|Social Sciences, general / Feminist theory; Political science; Gender identity; Sex role; Women|1461-6742|Quarterly| |ROUTLEDGE JOURNALS +7179|International Finance|Economics & Business / International finance|1367-0271|Tri-annual| |WILEY-BLACKWELL PUBLISHING +7180|International Forestry Review|Agricultural Sciences / Forests and forestry; Forêts / Forests and forestry; Forêts|1465-5489|Quarterly| |COMMONWEALTH FORESTRY ASSOC +7181|International Genome Sequencing and Analysis Conference| | |Annual| |TIGR THE INST GENOMIC RESEARCH +7182|International Geology Review|Geosciences / Geologie; Géologie|0020-6814|Monthly| |TAYLOR & FRANCIS INC +7183|International Heart Journal|Clinical Medicine / Heart; Cardiology; Heart Diseases|1349-2365|Bimonthly| |SPRINGER +7184|International History Review| |0707-5332|Quarterly| |ROUTLEDGE JOURNALS +7185|International Immunology|Immunology / Immunology; Immunity; Immunity, Cellular; Immunologie|0953-8178|Monthly| |OXFORD UNIV PRESS +7186|International Immunopharmacology|Pharmacology & Toxicology / Immunopharmacology; Cytokines; Immunotherapy; Biological response modifiers; Immunologie; Immunopharmacologie; Allergy and Immunology; Immunity; Pharmacology; Farmacologie|1567-5769|Monthly| |ELSEVIER SCIENCE BV +7187|International Interactions|Social Sciences, general / International relations; International organization; International cooperation|0305-0629|Quarterly| |TAYLOR & FRANCIS LTD +7188|International Journal|Social Sciences, general|0020-7020|Quarterly| |CANADIAN INST INT AFFAIRS +7189|International Journal for Equity in Health|Social Sciences, general / Health services accessibility; Equality; Health Services Accessibility; Socioeconomic Factors|1475-9276|Irregular| |BIOMED CENTRAL LTD +7190|International Journal for Multiscale Computational Engineering|Computer Science / Engineering mathematics; Engineering|1543-1649|Bimonthly| |BEGELL HOUSE INC +7191|International Journal for Numerical and Analytical Methods in Geomechanics|Geosciences / Soil mechanics; Rock mechanics|0363-9061|Monthly| |JOHN WILEY & SONS LTD +7192|International Journal for Numerical Methods in Biomedical Engineering|Engineering /|2040-7939|Monthly| |JOHN WILEY & SONS LTD +7193|International Journal for Numerical Methods in Engineering|Engineering / Engineering mathematics|0029-5981|Weekly| |JOHN WILEY & SONS LTD +7194|International Journal for Numerical Methods in Fluids|Engineering / Fluid mechanics; Numerical analysis|0271-2091|Biweekly| |JOHN WILEY & SONS LTD +7195|International Journal for Parasitology|Microbiology / Parasitology; Parasites; Parasitic Diseases; Parasitologie|0020-7519|Monthly| |ELSEVIER SCI LTD +7196|International Journal for Philosophy of Religion|Religion|0020-7047|Bimonthly| |SPRINGER +7197|International Journal for Quality in Health Care|Social Sciences, general / Medical care; Delivery of Health Care; Quality Assurance, Health Care|1353-4505|Bimonthly| |OXFORD UNIV PRESS +7198|International Journal for the Psychology of Religion|Social Sciences, general / Psychology, Religious; Godsdienstpsychologie; Psychologie religieuse|1050-8619|Quarterly| |ROUTLEDGE JOURNALS +7199|International Journal for Vitamin and Nutrition Research|Agricultural Sciences / Vitamins; Nutrition; Vitamines|0300-9831|Bimonthly| |VERLAG HANS HUBER +7200|International Journal of Academic Research| |2075-4124|Quarterly| |INT J ACAD RES +7201|International Journal of Acarology|Plant & Animal Science /|0164-7954|Quarterly| |TAYLOR & FRANCIS INC +7202|International Journal of Ad Hoc and Ubiquitous Computing|Computer Science /|1743-8225|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7203|International Journal of Adaptive Control and Signal Processing|Engineering / Adaptive control systems; Adaptive signal processing|0890-6327|Bimonthly| |JOHN WILEY & SONS LTD +7204|International Journal of Adhesion and Adhesives|Materials Science / Adhesion; Adhesives; Adhésion (Physique); Adhésifs|0143-7496|Bimonthly| |ELSEVIER SCI LTD +7205|International Journal of Advanced Manufacturing Technology|Engineering / Manufacturing processes; Production engineering|0268-3768|Semimonthly| |SPRINGER LONDON LTD +7206|International Journal of Advanced Robotic Systems|Engineering|1729-8806|Quarterly| |I-TECH EDUCATION AND PUBLISHING +7207|International Journal of Advertising|Economics & Business / Advertising|0265-0487|Bimonthly| |WORLD ADVERTISING RESEARCH CENTER +7208|International Journal of Aeroacoustics| |1475-472X|Bimonthly| |MULTI-SCIENCE PUBL CO LTD +7209|International Journal of African Historical Studies| |0361-7882|Tri-annual| |AFRICAN STUDIES CENTER +7210|International Journal of Aging & Human Development|Social Sciences, general / Older people; Aging; Geriatrics|0091-4150|Bimonthly| |BAYWOOD PUBL CO INC +7211|International Journal of Agricultural and Statistical Sciences|Agricultural Sciences|0973-1903|Semiannual| |DR RAM KISHAN +7212|International Journal of Agricultural Resources Governance and Ecology| |1462-4605|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7213|International Journal of Agricultural Sustainability|Agricultural Sciences / Sustainable agriculture; Duurzame landbouw|1473-5903|Tri-annual| |EARTHSCAN +7214|International Journal of Agriculture and Biology|Agricultural Sciences|1560-8530|Bimonthly| |FRIENDS SCIENCE PUBL +7215|International Journal of Algebra and Computation|Mathematics / Algebra|0218-1967|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7216|International Journal of American Linguistics|Indians; Linguistics; Taalkunde|0020-7071|Quarterly| |UNIV CHICAGO PRESS +7217|International Journal of Andrology|Clinical Medicine / Andrology; Genital Diseases, Male; Genitalia, Male; Andrologie|0105-6263|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7218|International Journal of Antimicrobial Agents|Microbiology / Anti-infective agents; Communicable diseases; Anti-Infective Agents; Anti-Bacterial Agents; Antibactériens; Antibiothérapie; Antiinfectieux|0924-8579|Monthly| |ELSEVIER SCIENCE BV +7219|International Journal of Applied Ceramic Technology|Materials Science / Ceramic materials|1546-542X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7220|International Journal of Applied Earth Observation and Geoinformation|Geosciences / Aerial photogrammetry; Earth sciences|0303-2434|Bimonthly| |ELSEVIER SCIENCE BV +7221|International Journal of Applied Electromagnetics and Mechanics|Engineering|1383-5416|Quarterly| |IOS PRESS +7222|International Journal of Applied Mathematics and Computer Science|Mathematics /|1641-876X|Quarterly| |UNIV ZIELONA GORA PRESS +7223|International Journal of Applied Research in Veterinary Medicine|Plant & Animal Science|1542-2666|Quarterly| |VETERINARY SOLUTIONS LLC +7224|International Journal of Approximate Reasoning|Engineering / Expert systems (Computer science); Fuzzy systems; Reasoning|0888-613X|Bimonthly| |ELSEVIER SCIENCE INC +7225|International Journal of Architectural Heritage|Engineering / Historic buildings; Architecture; Historic preservation|1558-3058|Quarterly| |TAYLOR & FRANCIS INC +7226|International Journal of Art & Design Education|Social Sciences, general / Art; Design / Art; Design / Art; Design|1476-8062|Tri-annual| |WILEY-BLACKWELL PUBLISHING +7227|International Journal of Artificial Organs|Clinical Medicine|0391-3988|Monthly| |WICHTIG EDITORE +7228|International Journal of Astrobiology|Space Science / Life; Exobiology|1473-5504|Quarterly| |CAMBRIDGE UNIV PRESS +7229|International Journal of Audiology|Clinical Medicine / Audiology; Hearing disorders; Deafness; Hearing Disorders; Hearing; Audiologie|1499-2027|Bimonthly| |TAYLOR & FRANCIS LTD +7230|International Journal of Automotive Technology|Engineering / Automobiles|1229-9138|Bimonthly| |KOREAN SOC AUTOMOTIVE ENGINEERS +7231|International Journal of Aviation Psychology|Psychiatry/Psychology / Aeronautics; Aviation psychology; Aerospace Medicine; Human Engineering|1050-8414|Quarterly| |TAYLOR & FRANCIS INC +7232|International Journal of Behavioral Development|Psychiatry/Psychology / Developmental psychology; Behaviorism (Psychology); Behavior / Developmental psychology; Behaviorism (Psychology); Behavior|0165-0254|Quarterly| |SAGE PUBLICATIONS LTD +7233|International Journal of Behavioral Medicine|Psychiatry/Psychology / Medicine and psychology; Behavioral Medicine; Disease; Klinische geneeskunde; Psychologische aspecten; Gedrag|1070-5503|Quarterly| |SPRINGER +7234|International Journal of Behavioral Nutrition and Physical Activity|Agricultural Sciences / Diet; Physical fitness; Physical Fitness|1479-5868|Monthly| |BIOMED CENTRAL LTD +7235|International Journal of Bifurcation and Chaos|Physics / Chaotic behavior in systems; Bifurcation theory; Dynamics; Nonlinear theories; Complexity (Philosophy) / Chaotic behavior in systems; Bifurcation theory; Dynamics; Nonlinear theories; Complexity (Philosophy)|0218-1274|Monthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7236|International Journal of Bilingualism|Social Sciences, general / Bilingualism; Language acquisition; Tweetaligheid|1367-0069|Quarterly| |SAGE PUBLICATIONS LTD +7237|International Journal of Biochemistry & Cell Biology|Biology & Biochemistry / Biochemistry; Cytology; Biochimie; Cytologie|1357-2725|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7238|International Journal of Biodiversity and Conservation| | |Monthly| |ACADEMIC JOURNALS +7239|International Journal of Biodiversity Science & Management| |1745-1590|Quarterly| |SAPIENS PUBL +7240|International Journal of Biological and Life Sciences| |2073-0527|Quarterly| |WORLD ACAD SCI +7241|International Journal of Biological Chemistry| |1819-155X|Quarterly| |ACADEMIC JOURNALS INC +7242|International Journal of Biological Macromolecules|Biology & Biochemistry / Macromolecules; Macromolecular Systems; Macromoleculen|0141-8130|Monthly| |ELSEVIER SCIENCE BV +7243|International Journal of Biological Markers|Clinical Medicine|0393-6155|Quarterly| |WICHTIG EDITORE +7244|International Journal of Biological Sciences|Biology & Biochemistry|1449-2288|Monthly| |IVYSPRING INT PUBL +7245|International Journal of Biology| |1916-9671|Irregular| |CANADIAN CENTER SCI & EDUC +7246|International Journal of Biology and Biotechnology| |1810-2719|Quarterly| |UNIV KARACHI +7247|International Journal of Biomathematics| |1793-5245|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7248|International Journal of Biometeorology|Environment/Ecology / Bioclimatology / Bioclimatology|0020-7128|Quarterly| |SPRINGER +7249|International Journal of Biostatistics| |1557-4679|Irregular| |BERKELEY ELECTRONIC PRESS +7250|International Journal of Biotechnology|Biotechnology|0963-6048|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7251|International Journal of Biotronics| |1348-4478|Annual| |BIOTRON INST +7252|International Journal of Botany| |1811-9700|Quarterly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +7253|International Journal of Cancer|Clinical Medicine / Cancer; Neoplasms|0020-7136|Semimonthly| |JOHN WILEY & SONS INC +7254|International Journal of Cardiology|Clinical Medicine / Cardiology; Cardiologie|0167-5273|Semimonthly| |ELSEVIER IRELAND LTD +7255|International Journal of Cardiovascular Imaging|Clinical Medicine / Heart; Diagnostic Techniques, Cardiovascular; Diagnostic Imaging / Heart; Diagnostic Techniques, Cardiovascular; Diagnostic Imaging|1569-5794|Bimonthly| |SPRINGER +7256|International Journal of Cast Metals Research|Materials Science / Nonferrous metals|1364-0461|Bimonthly| |MANEY PUBLISHING +7257|International Journal of Central Banking|Economics & Business|1815-4654|Quarterly| |ASSOC INTERNATIONAL JOURNAL CENTRAL BANKING +7258|International Journal of Chemical Kinetics|Chemistry / Chemical kinetics; Chemistry, Physical; Kinetics|0538-8066|Monthly| |JOHN WILEY & SONS INC +7259|International Journal of Chemical Reactor Engineering|Engineering /|1542-6580|Annual| |BERKELEY ELECTRONIC PRESS +7260|International Journal of Childrens Spirituality| |1364-436X|Quarterly| |ROUTLEDGE JOURNALS +7261|International Journal of Circuit Theory and Applications|Engineering / Electric circuits; Electric networks; Electronic circuits|0098-9886|Bimonthly| |JOHN WILEY & SONS LTD +7262|International Journal of Circumpolar Health|Social Sciences, general|1239-9736|Bimonthly| |INT ASSOC CIRCUMPOLAR HEALTH PUBL +7263|International Journal of Civil Engineering|Engineering|1735-0522|Quarterly| |IRAN UNIV SCI & TECHNOL +7264|International Journal of Climatology|Geosciences / Climatology|0899-8418|Monthly| |JOHN WILEY & SONS LTD +7265|International Journal of Clinical and Experimental Hypnosis|Psychiatry/Psychology / Hypnotism; Hypnosis|0020-7144|Quarterly| |ROUTLEDGE JOURNALS +7266|International Journal of Clinical and Health Psychology|Psychiatry/Psychology|1697-2600|Tri-annual| |ASOCIACION ESPANOLA PSICOLOGIA CONDUCTUAL +7267|International Journal of Clinical Oncology|Clinical Medicine / Neoplasms; Oncologie|1341-9625|Bimonthly| |SPRINGER TOKYO +7268|International Journal of Clinical Pharmacology and Therapeutics|Pharmacology & Toxicology|0946-1965|Monthly| |DUSTRI-VERLAG DR KARL FEISTLE +7269|International Journal of Clinical Practice|Clinical Medicine / Clinical medicine; Clinical Medicine|1368-5031|Monthly| |WILEY-BLACKWELL PUBLISHING +7270|International Journal of Clothing Science and Technology|Materials Science / Textile industry; Textile research|0955-6222|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7271|International Journal of Coal Geology|Geosciences / Coal; Geologie; Steenkool|0166-5162|Monthly| |ELSEVIER SCIENCE BV +7272|International Journal of Coal Preparation and Utilization|Materials Science / Coal preparation|1939-2699|Quarterly| |TAYLOR & FRANCIS INC +7273|International Journal of Cognitive Therapy|Psychiatry/Psychology / Cognitive therapy; Cognitive Therapy|1937-1209|Quarterly| |GUILFORD PUBLICATIONS INC +7274|International Journal of Colorectal Disease|Clinical Medicine / Colon (Anatomy); Rectum; Colorectal Surgery / Colon (Anatomy); Rectum; Colorectal Surgery|0179-1958|Bimonthly| |SPRINGER +7275|International Journal of Communication Systems|Engineering / Telecommunication systems|1074-5351|Monthly| |JOHN WILEY & SONS LTD +7276|International Journal of Comparative Sociology|Social Sciences, general / Sociology; Social change; Sociologie; Changement social|0020-7152|Bimonthly| |SAGE PUBLICATIONS INC +7277|International Journal of Computational Fluid Dynamics|Engineering / Fluid dynamics|1061-8562|Quarterly| |TAYLOR & FRANCIS LTD +7278|International Journal of Computational Geometry & Applications|Engineering / Geometry|0218-1959|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7279|International Journal of Computational Intelligence Systems|Computer Science /|1875-6883|Quarterly| |ATLANTIS PRESS +7280|International Journal of Computational Methods|Computer Science / Engineering mathematics|0219-8762|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7281|International Journal of Computer Integrated Manufacturing|Engineering / Computer integrated manufacturing systems|0951-192X|Bimonthly| |TAYLOR & FRANCIS LTD +7282|International Journal of Computer Mathematics|Engineering / Computers; Numerical analysis; Automation|0020-7160|Bimonthly| |TAYLOR & FRANCIS LTD +7283|International Journal of Computer Vision|Engineering / Computer vision; Image processing|0920-5691|Monthly| |SPRINGER +7284|International Journal of Computer-Supported Collaborative Learning|Social Sciences, general / Group work in education; Education, Higher|1556-1607|Quarterly| |SPRINGER +7285|International Journal of Computers Communications & Control|Computer Science|1841-9836|Quarterly| |CCC PUBL-AGORA UNIV +7286|International Journal of Conflict Management|Economics & Business / Conflict management; Industrial relations; Negotiation; Social conflict; Diplomatic negotiations in international disputes|1044-4068|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +7287|International Journal of Consumer Studies|Consumer education; Home economics / Consumer education; Home economics|1470-6423|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7288|International Journal of Contemporary Hospitality Management|Hospitality industry|0959-6119|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7289|International Journal of Control|Engineering / Automatic control|0020-7179|Semimonthly| |TAYLOR & FRANCIS LTD +7290|International Journal of Control Automation and Systems|Engineering /|1598-6446|Bimonthly| |INST CONTROL ROBOTICS & SYSTEMS +7291|International Journal of Cooperative Information Systems|Computer Science / Database management; Artificial intelligence; Computer networks|0218-8430|Tri-annual| |WORLD SCIENTIFIC PUBL CO PTE LTD +7292|International Journal of Corpus Linguistics|Social Sciences, general / Linguistic analysis (Linguistics); Linguistics; Computational linguistics; Applied linguistics; Corpuslinguïstiek|1384-6655|Quarterly| |JOHN BENJAMINS PUBLISHING COMPANY +7293|International Journal of Cosmetic Science|Cosmetics|0142-5463|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7294|International Journal of Crashworthiness|Engineering / Automobiles; Airplanes|1358-8265|Bimonthly| |TAYLOR & FRANCIS LTD +7295|International Journal of Dairy Technology|Agricultural Sciences / Dairying|1364-727X|Quarterly| |WILEY-BLACKWELL PUBLISHING +7296|International Journal of Damage Mechanics|Engineering / Fracture mechanics; Continuum damage mechanics|1056-7895|Quarterly| |SAGE PUBLICATIONS LTD +7297|International Journal of Data Mining and Bioinformatics|Computer Science / Computational Biology|1748-5673|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7298|International Journal of Data Warehousing and Mining|Computer Science /|1548-3924|Quarterly| |IGI PUBL +7299|International Journal of Dermatology|Clinical Medicine / Dermatology; Tropical medicine|0011-9059|Monthly| |WILEY-BLACKWELL PUBLISHING +7300|International Journal of Design & Nature and Ecodynamics| |1755-7445|Quarterly| |TVER STATE UNIV +7301|International Journal of Developmental Biology|Molecular Biology & Genetics / Developmental biology; Biology; Embryology; Growth|0214-6282|Bimonthly| |U B C PRESS +7302|International Journal of Developmental Neuroscience|Neuroscience & Behavior / Developmental neurobiology; Neurology|0736-5748|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7303|International Journal of Diabetes in Developing Countries| |0973-3930|Quarterly| |MEDKNOW PUBLICATIONS +7304|International Journal of Digital Earth|Geosciences / Global environmental change; Geographic information systems|1753-8947|Quarterly| |TAYLOR & FRANCIS LTD +7305|International Journal of Disability Development and Education|Social Sciences, general / People with disabilities; Special education; Disabled Persons; Education, Special; Learning Disorders|1034-912X|Quarterly| |ROUTLEDGE JOURNALS +7306|International Journal of Distributed Sensor Networks|Computer Science / Neural networks (Computer science); Neural Networks (Computer)|1550-1329|Quarterly| |TAYLOR & FRANCIS INC +7307|International Journal of Drug Policy|Pharmacology & Toxicology / Drug abuse; Drug control; Drug and Narcotic Control; Legislation, Drug; Public Policy; Substance-Related Disorders|0955-3959|Bimonthly| |ELSEVIER SCIENCE BV +7308|International Journal of Earth Sciences|Geosciences / Geology|1437-3254|Quarterly| |SPRINGER +7309|International Journal of Eating Disorders|Psychiatry/Psychology / Appetite disorders; Ingestion disorders; Eating disorders; Eating Disorders; Eetstoornissen|0276-3478|Bimonthly| |JOHN WILEY & SONS INC +7310|International Journal of Ecology| |1687-9708|Irregular| |HINDAWI PUBLISHING CORPORATION +7311|International Journal of Ecology and Environmental Sciences| |0377-015X|Tri-annual| |INT SCIENTIFIC PUBLICATIONS +7312|International Journal of Economic Theory|Economics & Business / Economics|1742-7355|Quarterly| |WILEY-BLACKWELL PUBLISHING +7313|International Journal of Educational Development|Social Sciences, general / Education; Éducation|0738-0593|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7314|International Journal of Electrical Engineering Education|Engineering|0020-7209|Quarterly| |MANCHESTER UNIV PRESS +7315|International Journal of Electrical Power & Energy Systems|Engineering / Electric engineering; Electric power systems|0142-0615|Monthly| |ELSEVIER SCI LTD +7316|International Journal of Electrochemical Science|Chemistry|1452-3981|Monthly| |ELECTROCHEMICAL SCIENCE GROUP +7317|International Journal of Electronic Commerce|Economics & Business / Electronic commerce|1086-4415|Quarterly| |M E SHARPE INC +7318|International Journal of Electronics|Engineering / Electronics; Electronic control; Électronique; Commande électronique|0020-7217|Monthly| |TAYLOR & FRANCIS LTD +7319|International Journal of Energy Research|Engineering / Power resources; Power (Mechanics)|0363-907X|Monthly| |JOHN WILEY & SONS LTD +7320|International Journal of Engine Research|Engineering / Engines; Internal combustion engines; Diesel motor; Automobiles|1468-0874|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +7321|International Journal of Engineering Education|Engineering|0949-149X|Bimonthly| |TEMPUS PUBLICATIONS +7322|International Journal of Engineering Science|Engineering / Engineering|0020-7225|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7323|International Journal of Environment and Health|Environmental Health|1743-4955|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7324|International Journal of Environment and Pollution|Environment/Ecology / Environmental policy; Environmental sciences; Environmental engineering; Milieukunde; Milieubeleid; Milieutechniek|0957-4352|Monthly| |INDERSCIENCE ENTERPRISES LTD +7325|International Journal of Environmental Analytical Chemistry|Environment/Ecology / Ecology; Chemistry, Analytic; Environmental chemistry; Pollution; Chemistry; Environment / Ecology; Chemistry, Analytic; Environmental chemistry; Pollution; Chemistry; Environment|0306-7319|Monthly| |TAYLOR & FRANCIS LTD +7326|International Journal of Environmental Health Research|Environment/Ecology / Environmental health; Environmental Exposure; Environmental Health; Occupational Health|0960-3123|Quarterly| |TAYLOR & FRANCIS LTD +7327|International Journal of Environmental Research|Environment/Ecology|1735-6865|Quarterly| |UNIV TEHRAN +7328|International Journal of Environmental Research and Public Health|Environment/Ecology /|1660-4601|Quarterly| |MDPI AG +7329|International Journal of Environmental Science and Technology|Environment/Ecology|1735-1472|Quarterly| |CTR ENVIRONMENT & ENERGY RESEARCH & STUDIES +7330|International Journal of Environmental Studies|Environmental policy; Environmental sciences; Milieukunde; Milieuhygiëne; Ecologie|0020-7233|Bimonthly| |ROUTLEDGE JOURNALS +7331|International Journal of Epidemiology|Clinical Medicine / Epidemiology|0300-5771|Bimonthly| |OXFORD UNIV PRESS +7332|International Journal of Ethics|Ethics|1526-422X|Quarterly| |UNIV CHICAGO PRESS +7333|International Journal of Evolutionary Biology| |2090-052X|Irregular| |HINDAWI PUBLISHING CORPORATION +7334|International Journal of Exergy|Engineering /|1742-8297|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7335|International Journal of Experimental Pathology|Clinical Medicine / Pathology, Experimental; Pathology|0959-9673|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7336|International Journal of Fatigue|Materials Science / Materials|0142-1123|Monthly| |ELSEVIER SCI LTD +7337|International Journal of Fertility & Sterility|Clinical Medicine|2008-076X|Quarterly| |ROYAN INST +7338|International Journal of Fertility and Womens Medicine|Clinical Medicine|1534-892X|Bimonthly| |MEDICAL SCIENCE PUBL INT +7339|International Journal of Finance & Economics|Economics & Business / International finance; Economics|1076-9307|Quarterly| |JOHN WILEY & SONS LTD +7340|International Journal of Food Engineering|Agricultural Sciences /|1556-3758|Quarterly| |BERKELEY ELECTRONIC PRESS +7341|International Journal of Food Microbiology|Agricultural Sciences / Food Microbiology|0168-1605|Semimonthly| |ELSEVIER SCIENCE BV +7342|International Journal of Food Properties|Agricultural Sciences / Food|1094-2912|Tri-annual| |TAYLOR & FRANCIS INC +7343|International Journal of Food Science and Technology|Agricultural Sciences / Food industry and trade; Food Technology|0950-5423|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7344|International Journal of Food Sciences and Nutrition|Agricultural Sciences / Nutrition; Food; Food Analysis|0963-7486|Quarterly| |TAYLOR & FRANCIS LTD +7345|International Journal of Forecasting|Economics & Business / Forecasting; Business forecasting; Economic forecasting|0169-2070|Quarterly| |ELSEVIER SCIENCE BV +7346|International Journal of Foundations of Computer Science|Computer Science / Computer science|0129-0541|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7347|International Journal of Fracture|Engineering / Fracture mechanics; Rupture, Mécanique de la|0376-9429|Semimonthly| |SPRINGER +7348|International Journal of Fuzzy Systems|Engineering|1562-2479|Quarterly| |TAIWAN FUZZY SYSTEMS ASSOC +7349|International Journal of Game Theory|Economics & Business / Game theory; Speltheorie / Game theory; Speltheorie|0020-7276|Quarterly| |SPRINGER HEIDELBERG +7350|International Journal of General Systems|Computer Science / System theory; Cybernetica|0308-1079|Quarterly| |TAYLOR & FRANCIS LTD +7351|International Journal of Geographical Information Science|Social Sciences, general / Geography; Information storage and retrieval systems; Geografische informatiesystemen|1365-8816|Bimonthly| |TAYLOR & FRANCIS LTD +7352|International Journal of Geometric Methods in Modern Physics|Physics / Mathematical physics; Geometry|0219-8878|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7353|International Journal of Geriatric Psychiatry|Psychiatry/Psychology / Geriatric psychiatry; Geriatric Psychiatry|0885-6230|Monthly| |JOHN WILEY & SONS LTD +7354|International Journal of Gerontology|Clinical Medicine / Geriatrics|1873-9598|Quarterly| |ELSEVIER SINGAPORE PTE LTD +7355|International Journal of Global Environmental Issues|Environmental management; Environmental policy; Environmental protection|1466-6650|Biweekly| |INDERSCIENCE ENTERPRISES LTD +7356|International Journal of Green Energy|Environment/Ecology / Power resources; Energy industries; Energy development|1543-5075|Bimonthly| |TAYLOR & FRANCIS INC +7357|International Journal of Greenhouse Gas Control|Environment/Ecology /|1750-5836|Quarterly| |ELSEVIER SCI LTD +7358|International Journal of Group Psychotherapy|Psychiatry/Psychology / Group psychotherapy; Psychotherapy, Group; Groepspsychotherapie; Psychothérapie de groupe|0020-7284|Quarterly| |GUILFORD PUBLICATIONS INC +7359|International Journal of Gynecological Cancer|Clinical Medicine / Generative organs, Female; Genital Neoplasms, Female|1048-891X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +7360|International Journal of Gynecological Pathology|Clinical Medicine / Gynecology; Pathology|0277-1691|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +7361|International Journal of Gynecology & Obstetrics|Clinical Medicine / Gynecology; Obstetrics; Genital Diseases, Female; Gynécologie; Obstétrique|0020-7292|Monthly| |ELSEVIER IRELAND LTD +7362|International Journal of Health Care Finance & Economics|Economics & Business / Medical care; Medical care, Cost of; Health Services; Economics, Medical; Financial Management; Gezondheidszorg; Economische aspecten|1389-6563|Quarterly| |SPRINGER +7363|International Journal of Health Geographics|Social Sciences, general / Geographic information systems; Geography; Information Systems; Topography, Medical; Public Health; Delivery of Health Care; Health Resources|1476-072X|Irregular| |BIOMED CENTRAL LTD +7364|International Journal of Health Planning and Management|Social Sciences, general / Health planning; Health services administration; Delivery of Health Care; Health Planning; Management; Planning; Gezondheidszorg / Health planning; Health services administration; Delivery of Health Care; Health Planning; Manag|0749-6753|Quarterly| |JOHN WILEY & SONS LTD +7365|International Journal of Health Services|Social Sciences, general / Medical care; Health Planning; Public Health Administration|0020-7314|Quarterly| |BAYWOOD PUBL CO INC +7366|International Journal of Heat and Fluid Flow|Engineering / Fluid dynamics|0142-727X|Bimonthly| |ELSEVIER SCIENCE INC +7367|International Journal of Heat and Mass Transfer|Engineering / Heat; Mass transfer; Chaleur; Transfert de masse|0017-9310|Biweekly| |PERGAMON-ELSEVIER SCIENCE LTD +7368|International Journal of Heavy Vehicle Systems| |1744-232X|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7369|International Journal of Hematology|Clinical Medicine / Blood; Hematologic Diseases|0925-5710|Monthly| |SPRINGER TOKYO +7370|International Journal of High Performance Computing Applications|Computer Science / Supercomputers|1094-3420|Quarterly| |SAGE PUBLICATIONS LTD +7371|International Journal of Hindu Studies|Hinduism; Hinduism and culture|1022-4556|Semiannual| |SPRINGER +7372|International Journal of Historical Archaeology|Archaeology and history; Archeologie; Nieuwe tijd; Archéologie et histoire|1092-7697|Quarterly| |SPRINGER +7373|International Journal of Hospitality Management|Economics & Business / Hotel management; Restaurant management; Food service management; Gastvrijheid; Management|0278-4319|Quarterly| |ELSEVIER SCI LTD +7374|International Journal of Human Genetics|Molecular Biology & Genetics|0972-3757|Irregular| |KAMLA-RAJ ENTERPRISES +7375|International Journal of Human Resource Management|Economics & Business / Personnel management; Human capital; Cadres (Personnel); Personnel|0958-5192|Bimonthly| |ROUTLEDGE JOURNALS +7376|International Journal of Human-Computer Interaction|Psychiatry/Psychology / Human-computer interaction; Man-Machine Systems; User-Computer Interface; Mens-computer-interactie|1044-7318|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +7377|International Journal of Human-Computer Studies|Psychiatry/Psychology / Human-machine systems; Systems engineering; Human engineering; Systèmes homme-machine; Ingénierie des systèmes; Ergonomie; Mens-computer-interactie; Mens-machine-systemen|1071-5819|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +7378|International Journal of Humanoid Robotics|Engineering / Robotics; Androids|0219-8436|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7379|International Journal of Hydrogen Energy|Engineering / Hydrogen as fuel|0360-3199|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7380|International Journal of Hygiene and Environmental Health|Environment/Ecology / Public health; Environmental health; Medicine, Preventive; Hygiene; Environmental Health; Public Health|1438-4639|Bimonthly| |ELSEVIER GMBH +7381|International Journal of Hyperthermia|Clinical Medicine / Thermotherapy; Hyperthermia, Induced|0265-6736|Bimonthly| |INFORMA HEALTHCARE +7382|International Journal of Imaging Systems and Technology|Physics / Imaging systems; Image processing|0899-9457|Bimonthly| |JOHN WILEY & SONS INC +7383|International Journal of Immunogenetics|Immunology / Immunogenetics|1744-3121|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7384|International Journal of Immunopathology and Pharmacology|Clinical Medicine|0394-6320|Quarterly| |BIOLIFE SAS +7385|International Journal of Impact Engineering|Engineering / Impact; Shock (Mechanics)|0734-743X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7386|International Journal of Impotence Research|Clinical Medicine / Impotence|0955-9930|Bimonthly| |NATURE PUBLISHING GROUP +7387|International Journal of Industrial Engineering-Theory Applications and Practice|Engineering|1943-670X|Quarterly| |UNIV CINCINNATI INDUSTRIAL ENGINEERING +7388|International Journal of Industrial Entomology| |1598-3579|Quarterly| |KOREAN SOC SERICULTURAL SCI +7389|International Journal of Industrial Ergonomics|Engineering / Human engineering; Accidents, Occupational; Human Engineering; Occupational Diseases|0169-8141|Monthly| |ELSEVIER SCIENCE BV +7390|International Journal of Industrial Organization|Economics & Business / Industrial organization; Industrial policy|0167-7187|Monthly| |ELSEVIER SCIENCE BV +7391|International Journal of Infectious Diseases|Clinical Medicine / Communicable diseases|1201-9712|Monthly| |ELSEVIER SCI LTD +7392|International Journal of Information Management|Social Sciences, general / Social sciences; Information science; Management information systems; Sciences sociales; Sciences de l'information; Systèmes d'information de gestion|0268-4012|Bimonthly| |ELSEVIER SCI LTD +7393|International Journal of Information Security|Computer Science / Computer security|1615-5262|Bimonthly| |SPRINGER +7394|International Journal of Information Technology & Decision Making|Computer Science / Decision support systems; Information technology; Decision making / Decision support systems; Information technology; Decision making|0219-6220|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7395|International Journal of Injury Control and Safety Promotion|Wounds and injuries; Wounds and Injuries; Consumer Product Safety|1745-7300|Quarterly| |TAYLOR & FRANCIS LTD +7396|International Journal of Innovative Computing Information and Control|Computer Science|1349-4198|Monthly| |ICIC INT +7397|International Journal of Insect Science| |1179-5433|Irregular| |LIBERTAS ACAD +7398|International Journal of Integrative Biology| |0973-8363| | |INT JOURNAL INTEGRATIVE BIOLOGY +7399|International Journal of Intelligent Systems|Engineering / Artificial intelligence; Expert systems (Computer science)|0884-8173|Monthly| |JOHN WILEY & SONS INC +7400|International Journal of Intercultural Relations|Social Sciences, general / Intercultural communication; Cultural relations; Cross-cultural studies|0147-1767|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7401|International Journal of Laboratory Hematology|Clinical Medicine /|1751-5521|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7402|International Journal of Lakes and Rivers| |0973-4570|Semiannual| |RES INDIA PUBL +7403|International Journal of Language & Communication Disorders|Social Sciences, general / Speech therapy; Speech disorders; Language disorders; Communication Disorders|1368-2822|Quarterly| |TAYLOR & FRANCIS LTD +7404|International Journal of Law and Psychiatry|Psychiatry/Psychology / Forensic psychiatry; Insanity (Law); Forensic Psychiatry; Gerechtelijke psychiatrie|0160-2527|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +7405|International Journal of Law Crime and Justice|Social Sciences, general / Criminal justice, Administration of; Criminology; Sociological jurisprudence|1756-0616|Quarterly| |ELSEVIER SCI LTD +7406|International Journal of Legal Medicine|Clinical Medicine / Forensic Medicine / Forensic Medicine|0937-9827|Bimonthly| |SPRINGER +7407|International Journal of Lexicography|Social Sciences, general / Lexicography|0950-3846|Quarterly| |OXFORD UNIV PRESS +7408|International Journal of Life Cycle Assessment|Biology & Biochemistry / Product life cycle; Green products; Environmental policy; Eco-labeling; Levenscyclus (techniek); Milieuonderzoek|0948-3349|Bimonthly| |SPRINGER HEIDELBERG +7409|International Journal of Logistics Management|Business logistics; Physical distribution of goods; Logistiek (economie)|0957-4093|Tri-annual| |EMERALD GROUP PUBLISHING LIMITED +7410|International Journal of Logistics-Research and Applications|Business logistics / Business logistics|1367-5567|Bimonthly| |TAYLOR & FRANCIS LTD +7411|International Journal of Low Radiation| |1477-6545|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +7412|International Journal of Machine Tools & Manufacture|Engineering / Machine-tools; Manufacturing processes; Machines-outils|0890-6955|Monthly| |ELSEVIER SCI LTD +7413|International Journal of Management Reviews|Economics & Business / Management; Industrial management|1460-8545|Quarterly| |WILEY-BLACKWELL PUBLISHING +7414|International Journal of Manpower|Economics & Business / Labor economics; Personnel management|0143-7720|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7415|International Journal of Maritime Engineering|Engineering /|1479-8751|Quarterly| |ROYAL INST NAVAL ARCHITECTS +7416|International Journal of Market Research|Economics & Business / Marketing research; Marketing|1470-7853|Bimonthly| |MARKET RESEARCH SOC +7417|International Journal of Mass Spectrometry|Chemistry / Spectrum analysis; Massaspectrometrie|1387-3806|Biweekly| |ELSEVIER SCIENCE BV +7418|International Journal of Materials & Product Technology|Materials Science / Materials; Technology|0268-1900|Tri-annual| |INDERSCIENCE ENTERPRISES LTD +7419|International Journal of Materials Research|Materials Science / Metallurgy; Alloys; Materials|1862-5282|Monthly| |CARL HANSER VERLAG +7420|International Journal of Mathematics|Mathematics / Mathematics|0129-167X|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7421|International Journal of Mechanical Sciences|Engineering / Mechanical engineering|0020-7403|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7422|International Journal of Medical Informatics|Clinical Medicine / Medical informatics; Information science; Computers; Medical technology; Medical Informatics|1386-5056|Monthly| |ELSEVIER IRELAND LTD +7423|International Journal of Medical Microbiology|Microbiology / Communicable diseases; Microbiology; Parasitology; Virology; Communicable Diseases; Bacteria; Bacterial Infections; Parasitic Diseases|1438-4221|Bimonthly| |ELSEVIER GMBH +7424|International Journal of Medical Robotics and Computer Assisted Surgery|Computer Science / Robotics in medicine; Surgery; Imaging systems in medicine; Robotics; Surgery, Computer-Assisted; Robotique en médecine; Chirurgie; Imagerie médicale / Robotics in medicine; Surgery; Imaging systems in medicine; Robotics; Surgery, Comp|1478-5951|Quarterly| |JOHN WILEY & SONS INC +7425|International Journal of Medical Sciences|Clinical Medicine|1449-1907|Bimonthly| |IVYSPRING INT PUBL +7426|International Journal of Medicinal Mushrooms|Pharmacology & Toxicology / Mushrooms; Agaricales|1521-9437|Quarterly| |BEGELL HOUSE INC +7427|International Journal of Mental Health Nursing|Social Sciences, general /|1445-8330|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7428|International Journal of Metalcasting|Materials Science|1939-5981|Quarterly| |AMER FOUNDRY SOC INC +7429|International Journal of Methods in Psychiatric Research|Psychiatry/Psychology / Psychiatry|1049-8931|Quarterly| |JOHN WILEY & SONS LTD +7430|International Journal of Middle East Studies|Social Sciences, general / /|0020-7438|Quarterly| |CAMBRIDGE UNIV PRESS +7431|International Journal of Mineral Processing|Geosciences / Ore-dressing; Minéralurgie|0301-7516|Monthly| |ELSEVIER SCIENCE BV +7432|International Journal of Minerals Metallurgy and Materials|Materials Science /|1674-4799|Bimonthly| |SPRINGER +7433|International Journal of Mobile Communications|Computer Science /|1470-949X|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +7434|International Journal of Modern Physics A|Physics / Particles (Nuclear physics); Field theory (Physics); Gravitation; Cosmology; Nuclear physics|0217-751X|Biweekly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7435|International Journal of Modern Physics B|Physics / Condensed matter; Statistical physics|0217-9792|Semimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7436|International Journal of Modern Physics C|Physics / Physics; Natuurkunde; Computermethoden|0129-1831|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7437|International Journal of Modern Physics D|Space Science / Astrophysics; Gravitation; Cosmology|0218-2718|Monthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7438|International Journal of Modern Physics E-Nuclear Physics|Physics / Nuclear physics|0218-3013|Monthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7439|International Journal of Molecular Medicine|Clinical Medicine / Medical genetics; Genetics, Medical; Molecular Biology|1107-3756|Monthly| |SPANDIDOS PUBL LTD +7440|International Journal of Molecular Sciences|Molecular Biology & Genetics /|1422-0067|Monthly| |MDPI AG +7441|International Journal of Morphology|Biology & Biochemistry /|0717-9502|Quarterly| |SOC CHILENA ANATOMIA +7442|International Journal of Multiphase Flow|Engineering / Multiphase flow|0301-9322|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7443|International Journal of Music Education|Music; School music|0255-7614|Quarterly| |SAGE PUBLICATIONS LTD +7444|International Journal of Myriapodology| |1875-2535|Semiannual| |BRILL ACADEMIC PUBLISHERS +7445|International Journal of Nanomedicine|Clinical Medicine / Nanomedicine|1176-9114|Quarterly| |DOVE MEDICAL PRESS LTD +7446|International Journal of Nanotechnology|Materials Science / Nanotechnology|1475-7435|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7447|International Journal of Natural and Engineering Sciences| |1307-1149|Tri-annual| |NOBEL PUBL +7448|International Journal of Nautical Archaeology|Underwater archaeology; Scheepsarcheologie / Underwater archaeology; Scheepsarcheologie|1057-2414|Semiannual| |WILEY-BLACKWELL PUBLISHING +7449|International Journal of Nematology| |1368-8774|Semiannual| |AFRO ASIAN SOC NEMATOL +7450|International Journal of Network Management|Computer Science / Computer networks|1055-7148|Bimonthly| |JOHN WILEY & SONS LTD +7451|International Journal of Neural Systems|Neuroscience & Behavior / Neural networks (Computer science); Neural circuitry; Brain; Computer Simulation; Models, Theoretical; Nerve Net; Neurons|0129-0657|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7452|International Journal of Neuropsychopharmacology|Psychiatry/Psychology / Neuropsychopharmacology; Mental Disorders; Neuropharmacology; Psychopharmacology; Psychotropic Drugs|1461-1457|Bimonthly| |CAMBRIDGE UNIV PRESS +7453|International Journal of Neuroscience|Neuroscience & Behavior / Nervous system; Neurology|0020-7454|Monthly| |TAYLOR & FRANCIS LTD +7454|International Journal of Non-Linear Mechanics|Engineering / Nonlinear mechanics|0020-7462|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7455|International Journal of Nonlinear Sciences and Numerical Simulation|Engineering|1565-1339|Quarterly| |FREUND PUBLISHING HOUSE LTD +7456|International Journal of Number Theory|Mathematics / Number theory; Nombres, Théorie des|1793-0421|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7457|International Journal of Numerical Analysis and Modeling|Mathematics|1705-5105|Quarterly| |ISCI-INST SCIENTIFIC COMPUTING & INFORMATION +7458|International Journal of Numerical Methods for Heat & Fluid Flow|Engineering / Heat; Fluid dynamics / Heat; Fluid dynamics|0961-5539|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7459|International Journal of Numerical Modelling-Electronic Networks Devices and Fields|Engineering / Electric networks; Electronics; Électronique|0894-3370|Bimonthly| |JOHN WILEY & SONS LTD +7460|International Journal of Nursing Practice|Social Sciences, general / Soins infirmiers; Nursing; Nursing Care; Nursing, Practical|1322-7114|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7461|International Journal of Nursing Studies|Social Sciences, general / Nursing; Soins infirmiers|0020-7489|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7462|International Journal of Obesity|Biology & Biochemistry / Obesity; Metabolism|0307-0565|Monthly| |NATURE PUBLISHING GROUP +7463|International Journal of Obstetric Anesthesia|Clinical Medicine / Anesthesia in obstetrics; Anesthesia, Obstetrical|0959-289X|Quarterly| |ELSEVIER SCI LTD +7464|International Journal of Occupational and Environmental Health|Environment/Ecology|1077-3525|Quarterly| |HAMILTON HARDY PUBL INC +7465|International Journal of Occupational Medicine and Environmental Health|Environment/Ecology /|1232-1087|Quarterly| |NOFER INST OCCUPATIONAL MEDICINE +7466|International Journal of Occupational Safety and Ergonomics|Social Sciences, general|1080-3548|Quarterly| |CENTRAL INST LABOUR PROTECTION-NATL RESEARCH INST +7467|International Journal of Oceans and Oceanography| |0973-2667|Tri-annual| |RES INDIA PUBL +7468|International Journal of Odonatology|Plant & Animal Science|1388-7890|Semiannual| |WORLDWIDE DRAGONFLY ASSOCIATION +7469|International Journal of Offender Therapy and Comparative Criminology|Social Sciences, general / Criminals; Criminology; Criminal Psychology; Forensic Psychiatry; Juvenile Delinquency; Psychotherapy; Social Work, Psychiatric|0306-624X|Tri-annual| |SAGE PUBLICATIONS INC +7470|International Journal of Offshore and Polar Engineering|Engineering|1053-5381|Quarterly| |INT SOC OFFSHORE POLAR ENGINEERS +7471|International Journal of Oncology|Clinical Medicine / Oncology; Tumors; Cancer; Neoplasms|1019-6439|Monthly| |SPANDIDOS PUBL LTD +7472|International Journal of Operations & Production Management|Economics & Business / Production management; Industrial management / Production management; Industrial management|0144-3577|Monthly| |EMERALD GROUP PUBLISHING LIMITED +7473|International Journal of Optomechatronics|Engineering / Optoelectronic devices; Mechatronics|1559-9612|Quarterly| |TAYLOR & FRANCIS INC +7474|International Journal of Oral & Maxillofacial Implants|Clinical Medicine|0882-2786|Bimonthly| |QUINTESSENCE PUBLISHING CO INC +7475|International Journal of Oral and Maxillofacial Surgery|Clinical Medicine / Mouth; Maxilla; Dentistry; Face; Surgery, Oral; Bouche; Maxillaire supérieur; Dentisterie|0901-5027|Bimonthly| |CHURCHILL LIVINGSTONE +7476|International Journal of Oral Science| |1674-2818|Quarterly| |SICHUAN UNIV +7477|International Journal of Osteoarchaeology|Physical anthropology; Human remains (Archaeology); Paleopathology; Anthropology, Physical; Bone and Bones; Paleontology|1047-482X|Bimonthly| |JOHN WILEY & SONS LTD +7478|International Journal of Osteopathic Medicine|Clinical Medicine / Osteopathic Medicine|1746-0689|Quarterly| |ELSEVIER +7479|International Journal of Paediatric Dentistry|Clinical Medicine / Pedodontics; Pediatric Dentistry; Tandheelkunde; Kinderen|0960-7439|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7480|International Journal of Parallel Programming|Computer Science / Parallel programming (Computer science); Parallel processing (Electronic computers)|0885-7458|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +7481|International Journal of Pattern Recognition and Artificial Intelligence|Engineering / Pattern perception; Artificial intelligence; Pattern recognition systems|0218-0014|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7482|International Journal of Pavement Engineering|Engineering / Pavements; Highway engineering|1029-8436|Bimonthly| |TAYLOR & FRANCIS LTD +7483|International Journal of Pediatric Obesity|Clinical Medicine / Obesity in children; Obesity in adolescence; Obesity; Child|1747-7166|Quarterly| |TAYLOR & FRANCIS INC +7484|International Journal of Pediatric Otorhinolaryngology|Clinical Medicine / Pediatric otolaryngology; Otolaryngology; Kindergeneeskunde; Keel- neus- en oorheelkunde|0165-5876|Monthly| |ELSEVIER IRELAND LTD +7485|International Journal of Peptide Research and Therapeutics|Biology & Biochemistry / Peptides|1573-3149|Quarterly| |SPRINGER +7486|International Journal of Periodontics & Restorative Dentistry|Clinical Medicine|0198-7569|Bimonthly| |QUINTESSENCE PUBLISHING CO INC +7487|International Journal of Pest Management|Plant & Animal Science / Pests; Agricultural pests; Plant diseases; Pesticides; Pest Control; Plant Diseases; Dierkunde; Infectieziekten; Pesticiden|0967-0874|Quarterly| |TAYLOR & FRANCIS LTD +7488|International Journal of Pharmaceutical Compounding| |1092-4221|Bimonthly| |INT JOURNAL PHARMACEUTICAL COMPOUNDING +7489|International Journal of Pharmaceutics|Pharmacology & Toxicology / Pharmacy; Technology, Pharmaceutical; Pharmacie; Pharmacocinétique; Pharmacologie|0378-5173|Biweekly| |ELSEVIER SCIENCE BV +7490|International Journal of Pharmacology|Pharmacology & Toxicology /|1811-7775|Bimonthly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +7491|International Journal of Pharmacy Education and Practice| |1557-1017|Semiannual| |SAMFORD UNIV +7492|International Journal of Pharmacy Practice|Drug Therapy; Pharmaceutical Preparations; Pharmacy|0961-7671|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7493|International Journal of Philosophical Studies|Philosophy; Philosophie / Philosophy; Philosophie|0967-2559|Quarterly| |ROUTLEDGE JOURNALS +7494|International Journal of Photoenergy|Physics /|1110-662X|Quarterly| |HINDAWI PUBLISHING CORPORATION +7495|International Journal of Phycology and Phycochemistry| |1815-459X|Semiannual| |UNIV KARACHI +7496|International Journal of Phytoremediation|Plant & Animal Science / Phytoremediation; Environmental Pollution; Plant Physiology; Bioreactors|1522-6514|Quarterly| |TAYLOR & FRANCIS INC +7497|International Journal of Plant Production|Plant & Animal Science|1735-6814|Quarterly| |GORGAN UNIV AGRICULTURAL SCIENCES & NATURAL RESOURCES +7498|International Journal of Plant Sciences|Plant & Animal Science / Botany; Plantkunde|1058-5893|Monthly| |UNIV CHICAGO PRESS +7499|International Journal of Plasticity|Engineering / Plasticity|0749-6419|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +7500|International Journal of Polymer Analysis and Characterization|Chemistry /|1023-666X|Quarterly| |TAYLOR & FRANCIS LTD +7501|International Journal of Polymeric Materials|Chemistry / Polymers; Plastics|0091-4037|Monthly| |TAYLOR & FRANCIS AS +7502|International Journal of Powder Metallurgy|Materials Science|0888-7462|Bimonthly| |AMER POWDER METALLURGY INST +7503|International Journal of Precision Engineering and Manufacturing|Engineering /|1229-8557|Bimonthly| |KOREAN SOC PRECISION ENG +7504|International Journal of Press-Politics|Social Sciences, general / Press and politics; Government and the press; Journalism; Presse et politique; État et presse; Presse|1940-1612|Quarterly| |SAGE PUBLICATIONS INC +7505|International Journal of Pressure Vessels and Piping|Engineering / Pressure vessels; Pipe|0308-0161|Monthly| |ELSEVIER SCI LTD +7506|International Journal of Primatology|Plant & Animal Science / Primates; Primates as laboratory animals; Primaten|0164-0291|Bimonthly| |SPRINGER +7507|International Journal of Production Economics|Engineering / Engineering economy; Production (Economic theory); Production management; Productiemanagement|0925-5273|Semimonthly| |ELSEVIER SCIENCE BV +7508|International Journal of Production Research|Engineering / Factory management; Productiemanagement|0020-7543|Semimonthly| |TAYLOR & FRANCIS LTD +7509|International Journal of Project Management|Social Sciences, general / Project management; Network analysis (Planning); Projectmanagement|0263-7863|Bimonthly| |ELSEVIER SCI LTD +7510|International Journal of Prosthodontics|Clinical Medicine|0893-2174|Bimonthly| |QUINTESSENCE PUBLISHING CO INC +7511|International Journal of Psychiatry in Clinical Practice|Psychiatry/Psychology / Mental illness; Older people; Mental Disorders; Aged|1365-1501|Quarterly| |TAYLOR & FRANCIS AS +7512|International Journal of Psychiatry in Medicine|Psychiatry/Psychology / Psychiatry; Sick; Medicine, Psychosomatic|0091-2174|Quarterly| |BAYWOOD PUBL CO INC +7513|International Journal of Psychoanalysis|Psychiatry/Psychology / Psychoanalysis; Psychoanalyse; Psychanalyse|0020-7578|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7514|International Journal of Psychology|Psychiatry/Psychology / Psychology; Psychologie|0020-7594|Bimonthly| |PSYCHOLOGY PRESS +7515|International Journal of Psychophysiology|Neuroscience & Behavior / Psychophysiology|0167-8760|Monthly| |ELSEVIER SCIENCE BV +7516|International Journal of Public Health|Clinical Medicine /|1661-8556|Bimonthly| |BIRKHAUSER VERLAG AG +7517|International Journal of Public Opinion Research|Social Sciences, general / Public opinion; Public opinion polls|0954-2892|Quarterly| |OXFORD UNIV PRESS +7518|International Journal of Qualitative Studies on Health and Well-Being|Social Sciences, general / Qualitative research; Health; Qualitative Research|1748-2623|Quarterly| |CO-ACTION PUBLISHING +7519|International Journal of Quantum Chemistry|Chemistry / Quantum chemistry; Kwantumchemie|0020-7608|Monthly| |JOHN WILEY & SONS INC +7520|International Journal of Quantum Information|Physics / Quantum computers; Information theory|0219-7499|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7521|International Journal of Radiation Biology|Biology & Biochemistry / Radiation; Radiobiology; Rayonnement; Radiobiologie; Radiology; Radiologie; Nucleaire geneeskunde|0955-3002|Monthly| |TAYLOR & FRANCIS LTD +7522|International Journal of Radiation Oncology Biology Physics|Clinical Medicine / Cancer; Oncology, Experimental; Neoplasms; Radiobiology; Radiobiologie / Cancer; Oncology, Experimental; Neoplasms; Radiobiology; Radiobiologie|0360-3016|Monthly| |ELSEVIER SCIENCE INC +7523|International Journal of Refractory Metals & Hard Materials|Materials Science / Heat resistant alloys; Refractory materials; Metallography|0263-4368|Bimonthly| |ELSEVIER SCI LTD +7524|International Journal of Refrigeration-Revue Internationale Du Froid|Engineering / Refrigeration and refrigerating machinery|0140-7007|Bimonthly| |ELSEVIER SCI LTD +7525|International Journal of Rehabilitation Research|Social Sciences, general / Rehabilitation; Research|0342-5282|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +7526|International Journal of Remote Sensing|Geosciences / Remote sensing|0143-1161|Semimonthly| |TAYLOR & FRANCIS LTD +7527|International Journal of Research in Marketing|Economics & Business / Marketing research; Marketing; Merchandising; Retail trade; Sales management; Marchandisage; Commerce de détail; Ventes|0167-8116|Quarterly| |ELSEVIER SCIENCE BV +7528|International Journal of RF and Microwave Computer-Aided Engineering|Engineering / Microwave devices; Computer-aided engineering|1096-4290|Bimonthly| |JOHN WILEY & SONS INC +7529|International Journal of Rheumatic Diseases|Clinical Medicine /|1756-1841|Quarterly| |WILEY-BLACKWELL PUBLISHING +7530|International Journal of Risk & Safety in Medicine| |0924-6479|Bimonthly| |IOS PRESS +7531|International Journal of Robotics & Automation|Engineering / Robotics; Automatic control; Artificial intelligence; Robotique; Automatisation|0826-8185|Quarterly| |ACTA PRESS +7532|International Journal of Robotics Research|Engineering / Robots; Robots, Industrial|0278-3649|Monthly| |SAGE PUBLICATIONS LTD +7533|International Journal of Robust and Nonlinear Control|Engineering / Automatic control; Control theory; Nonlinear systems|1049-8923|Semimonthly| |JOHN WILEY & SONS LTD +7534|International Journal of Rock Mechanics and Mining Sciences|Geosciences / Rock mechanics; Soil mechanics; Mining engineering; Mijnbouw; Roches, Mécanique des; Sols, Mécanique des; Technique minière|1365-1609|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7535|International Journal of Satellite Communications and Networking|Computer Science / Artificial satellites in telecommunication; Digital communications|1542-0973|Bimonthly| |JOHN WILEY & SONS LTD +7536|International Journal of Science Education|Social Sciences, general / Science; Science teachers|0950-0693|Monthly| |ROUTLEDGE JOURNALS +7537|International Journal of Scientific Research| |1832-1011|Annual| |UNITED ARAB EMIRATES UNIV +7538|International Journal of Sediment Research|Geosciences /|1001-6279|Quarterly| |IRTCES +7539|International Journal of Selection and Assessment|Psychiatry/Psychology / Employee selection; Personality and occupation; Employment interviewing; Prediction of occupational success; Employees|0965-075X|Irregular| |WILEY-BLACKWELL PUBLISHING +7540|International Journal of Sensor Networks| |1748-1279|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +7541|International Journal of Shipping and Transport Logistics| |1756-6517|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7542|International Journal of Social Psychiatry|Psychiatry/Psychology / Social psychiatry; Social Work, Psychiatric; Sociale psychiatrie|0020-7640|Quarterly| |SAGE PUBLICATIONS LTD +7543|International Journal of Social Research Methodology|Social Sciences, general / Sociology; Sociaal-wetenschappelijk onderzoek; Methodologie; Onderzoeksmethoden|1364-5579|Bimonthly| |ROUTLEDGE JOURNALS +7544|International Journal of Social Welfare|Social Sciences, general / Social service; Public welfare; Aide sociale; Service social; Politique sociale|1369-6866|Quarterly| |WILEY-BLACKWELL PUBLISHING +7545|International Journal of Software Engineering and Knowledge Engineering|Engineering / Software engineering; Expert systems (Computer science); Artificial intelligence|0218-1940|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7546|International Journal of Solids and Structures|Engineering / Mechanics, Applied; Structural analysis (Engineering); Elastic solids; Mécanique appliquée; Constructions, Théorie des; Solides élastiques|0020-7683|Biweekly| |PERGAMON-ELSEVIER SCIENCE LTD +7547|International Journal of Speech Language and the Law|Social Sciences, general /|1748-8885|Semiannual| |EQUINOX PUBL LTD +7548|International Journal of Speech-Language Pathology|Social Sciences, general /|1754-9507|Bimonthly| |INFORMA HEALTHCARE +7549|International Journal of Speleology|Geosciences|0392-6672|Quarterly| |SOCIETA SPELEOLOGICA ITALIANA +7550|International Journal of Sport Finance|Economics & Business|1558-6235|Quarterly| |FITNESS INFORMATION TECHNOLOGY +7551|International Journal of Sport Nutrition and Exercise Metabolism|Clinical Medicine|1526-484X|Bimonthly| |HUMAN KINETICS PUBL INC +7552|International Journal of Sport Psychology|Psychiatry/Psychology|0047-0767|Quarterly| |EDIZIONI LUIGI POZZI +7553|International Journal of Sports Marketing & Sponsorship|Economics & Business|1464-6668|Quarterly| |INT MARKETING REPORTS LTD +7554|International Journal of Sports Medicine|Clinical Medicine / Sports Medicine; Sportgeneeskunde|0172-4622|Bimonthly| |GEORG THIEME VERLAG KG +7555|International Journal of Sports Physiology and Performance| |1555-0265|Quarterly| |HUMAN KINETICS PUBL INC +7556|International Journal of Sports Science & Coaching|Social Sciences, general /|1747-9541|Quarterly| |MULTI-SCIENCE PUBL CO LTD +7557|International Journal of STD & AIDS|Clinical Medicine / Sexually transmitted diseases; AIDS (Disease); Acquired Immunodeficiency Syndrome; Sexually Transmitted Diseases|0956-4624|Monthly| |ROYAL SOC MEDICINE PRESS LTD +7558|International Journal of Steel Structures|Engineering|1598-2351|Quarterly| |KOREAN SOC STEEL CONSTRUCTION-KSSC +7559|International Journal of Strategic Property Management|Real estate business; Real estate management|1648-715X|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +7560|International Journal of Stroke|Clinical Medicine / Cerebrovascular disease; Brain; Cerebrovascular Accident|1747-4930|Quarterly| |WILEY-BLACKWELL PUBLISHING +7561|International Journal of Structural Stability and Dynamics|Engineering / Structural stability; Structural dynamics|0219-4554|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7562|International Journal of Surface Science and Engineering|Engineering /|1749-785X|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +7563|International Journal of Surgical Pathology|Clinical Medicine / Pathology, Surgical|1066-8969|Quarterly| |SAGE PUBLICATIONS INC +7564|International Journal of Sustainable Crop Production| |1991-3036|Quarterly| |GREEN WORLD FOUNDATION-GWF +7565|International Journal of Sustainable Development|Sustainable development; Ecology; Economic development; Environmental policy; Nachhaltige Entwicklung|0960-1406|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7566|International Journal of Sustainable Development and World Ecology|Environment/Ecology / Sustainable development; Ecology; Economic development; Ecologie; Duurzame ontwikkeling|1350-4509|Bimonthly| |TAYLOR & FRANCIS INC +7567|International Journal of Sustainable Transportation|Environment/Ecology / Transportation; Sustainable development|1556-8318|Quarterly| |TAYLOR & FRANCIS INC +7568|International Journal of Systematic and Evolutionary Microbiology|Microbiology / Microbiology; Microorganisms; Bacteria; Microbiologie|1466-5026|Bimonthly| |SOC GENERAL MICROBIOLOGY +7569|International Journal of Systematic Theology|Theology, Doctrinal|1463-1652|Quarterly| |WILEY-BLACKWELL PUBLISHING +7570|International Journal of Systems Science|Engineering / System analysis; Computer-Assisted Instruction; Systems Analysis|0020-7721|Monthly| |TAYLOR & FRANCIS LTD +7571|International Journal of Technology and Design Education|Social Sciences, general /|0957-7572|Tri-annual| |SPRINGER +7572|International Journal of Technology Assessment in Health Care|Clinical Medicine / Medical technology; Technology assessment; Delivery of Health Care; Technology Assessment, Biomedical; Gezondheidszorg; Medische fysica; Medische techniek; Technologie médicale; Technologie|0266-4623|Quarterly| |CAMBRIDGE UNIV PRESS +7573|International Journal of Technology Management|Economics & Business / Technology|0267-5730|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +7574|International Journal of the Physical Sciences| |1992-1950|Monthly| |ACADEMIC JOURNALS +7575|International Journal of Theoretical Physics|Physics / Physics|0020-7748|Monthly| |SPRINGER/PLENUM PUBLISHERS +7576|International Journal of Thermal Sciences|Engineering / Heat; Combustion|1290-0729|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +7577|International Journal of Thermophysics|Chemistry / Matter|0195-928X|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +7578|International Journal of Tourism Research|Social Sciences, general / Tourism|1099-2340|Bimonthly| |JOHN WILEY & SONS LTD +7579|International Journal of Toxicology|Pharmacology & Toxicology / Toxicology|1091-5818|Bimonthly| |SAGE PUBLICATIONS INC +7580|International Journal of Transport Economics|Economics & Business|0391-8440|Tri-annual| |IST EDITORIALI POLGRAFICI INT +7581|International Journal of Tropical Agriculture| |0254-8755|Quarterly| |VIDYA INT PUBL +7582|International Journal of Tropical Insect Science|Insect pests; Beneficial insects; Entomology; Insects; Arthropods; Tropical Climate|1742-7584|Quarterly| |CAMBRIDGE UNIV PRESS +7583|International Journal of Tuberculosis and Lung Disease|Clinical Medicine|1027-3719|Monthly| |INT UNION AGAINST TUBERCULOSIS LUNG DISEASE (I U A T L D) +7584|International Journal of Turbo & Jet-Engines|Engineering|0334-0082|Quarterly| |FREUND PUBLISHING HOUSE LTD +7585|International Journal of Uncertainty Fuzziness and Knowledge-Based Systems|Engineering / Uncertainty (Information theory); Fuzzy sets; Expert systems (Computer science)|0218-4885|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7586|International Journal of Unconventional Computing|Computer Science|1548-7199|Quarterly| |OLD CITY PUBLISHING INC +7587|International Journal of Urban and Regional Research|Social Sciences, general / City planning; Regional planning; Regionale studies; Stedelijke gebieden; Urbanisme; Aménagement du territoire; Sociologie urbaine|0309-1317|Quarterly| |WILEY-BLACKWELL PUBLISHING +7588|International Journal of Urological Nursing|Social Sciences, general / Urological nursing; Urologic Diseases|1749-7701|Tri-annual| |WILEY-BLACKWELL PUBLISHING +7589|International Journal of Urology|Clinical Medicine / Urology; Urologic Diseases|0919-8172|Monthly| |WILEY-BLACKWELL PUBLISHING +7590|International Journal of Vehicle Design|Engineering / Motor vehicles|0143-3369|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +7591|International Journal of Ventilation| |1473-3315|Irregular| |VEETECH LTD +7592|International Journal of Water Resources Development|Environment/Ecology / Water resources development|0790-0627|Quarterly| |ROUTLEDGE JOURNALS +7593|International Journal of Wavelets Multiresolution and Information Processing|Physics / Image processing; Wavelets (Mathematics)|0219-6913|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7594|International Journal of Web and Grid Services|Computer Science /|1741-1106|Quarterly| |INDERSCIENCE ENTERPRISES LTD +7595|International Journal of Web Services Research|Computer Science /|1545-7362|Quarterly| |IGI PUBL +7596|International Journal of Wild Silkmoth & Silk| |1340-4725|Irregular| |JAPANESE SOC WILD SILKMOTHS +7597|International Journal of Wildland Fire|Plant & Animal Science / Wildfires|1049-8001|Quarterly| |CSIRO PUBLISHING +7598|International Journal of Zoological Research| |1811-9778|Quarterly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +7599|International Journal of Zoology| |1687-8477|Irregular| |HINDAWI PUBLISHING CORPORATION +7600|International Journal on Algae|Algae|1521-9429|Quarterly| |BEGELL HOUSE INC +7601|International Journal on Artificial Intelligence Tools|Computer Science / Artificial intelligence; Expert systems (Computer science); Kunstmatige intelligentie / Artificial intelligence; Expert systems (Computer science); Kunstmatige intelligentie|0218-2130|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +7602|International Journal on Disability and Human Development|Clinical Medicine|1565-012X|Quarterly| |FREUND PUBLISHING HOUSE LTD +7603|International Journal on Document Analysis and Recognition|Computer Science / / /|1433-2833|Quarterly| |SPRINGER HEIDELBERG +7604|International Journal on Semantic Web and Information Systems|Computer Science /|1552-6283|Quarterly| |IGI PUBL +7605|International Labor and Working-Class History|Working class; Labor movement; Arbeidersklasse|0147-5479|Semiannual| |CAMBRIDGE UNIV PRESS +7606|International Labour Review|Economics & Business / Labor movement; Labor laws and legislation; Arbeid; Internationaal arbeidsrecht; Arbeidsverhoudingen; Internationale Arbeidsorganisatie|0020-7780|Quarterly| |INT LABOUR ORGANIZATION +7607|International Marketing Review|Economics & Business / Export marketing|0265-1335|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +7608|International Materials Reviews|Materials Science / Metallurgy; Metal-work|0950-6608|Bimonthly| |MANEY PUBLISHING +7609|International Mathematics Research Notices|Mathematics / Mathematics; Mathématiques; Wiskunde|1073-7928|Irregular| |OXFORD UNIV PRESS +7610|International Medical Journal|Clinical Medicine|1341-2051|Quarterly| |JAPAN INT CULTURAL EXCHANGE FOUNDATION +7611|International Microbiology|Microbiology / Microbiology|1139-6709|Quarterly| |VIGUERA EDITORES +7612|International Migration|Social Sciences, general / Emigration and immigration; EMIGRACION E INMIGRACION; Migratie (demografie)|0020-7985|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7613|International Migration Review|Social Sciences, general / Emigration and immigration; Migratie (demografie)|0197-9183|Quarterly| |WILEY-BLACKWELL PUBLISHING +7614|International Nursing Review|Social Sciences, general / Nursing|0020-8132|Quarterly| |WILEY-BLACKWELL PUBLISHING +7615|International Ophthalmology|Clinical Medicine / Ophthalmology|0165-5701|Bimonthly| |SPRINGER +7616|International Organization|Social Sciences, general / National security; International organization; Economic policy|0020-8183|Quarterly| |CAMBRIDGE UNIV PRESS +7617|International Orthopaedics|Clinical Medicine / Orthopedics|0341-2695|Bimonthly| |SPRINGER +7618|International Pacific Halibut Commission Scientific Report| |0304-016X|Irregular| |INT PACIFIC HALIBUT COMMISSION +7619|International Pacific Halibut Commission Technical Report| |0579-3920|Irregular| |INT PACIFIC HALIBUT COMMISSION +7620|International Perspectives on Sexual and Reproductive Health|Social Sciences, general / Birth control; Abortion, Induced; Contraception; Family Planning Services; Gezinsplanning; Gezondheidszorg|1944-0391|Quarterly| |ALAN GUTTMACHER INST +7621|International Pest Control| |0020-8256|Irregular| |RESEARCH INFORMATION LTD +7622|International Philosophical Quarterly| |0019-0365|Quarterly| |PHILOSOPHY DOCUMENTATION CENTER +7623|International Political Science Review|Social Sciences, general / Political science; Politieke wetenschappen; Science politique; POLITICAL SCIENCE; POLICY SCIENCES; SOCIAL SCIENCES; POLITICAL SOCIOLOGY|0192-5121|Quarterly| |SAGE PUBLICATIONS LTD +7624|International Political Sociology|Political sociology; International relations; Political science; Sociology; Sociologie politique; Relations internationales; Science politique; Sociologie|1749-5679|Quarterly| |JOHN WILEY & SONS INC +7625|International Politics|World politics; Internationale betrekkingen|1384-5748|Bimonthly| |PALGRAVE MACMILLAN LTD +7626|International Polymer Processing|Materials Science / Polymers / Polymers|0930-777X|Bimonthly| |CARL HANSER VERLAG +7627|International Psychogeriatrics|Psychiatry/Psychology / Geriatric psychiatry; Geriatric Psychiatry; Mental Disorders; Aged|1041-6102|Bimonthly| |CAMBRIDGE UNIV PRESS +7628|International Public Management Journal|Economics & Business / Public administration|1096-7494|Quarterly| |ROUTLEDGE JOURNALS +7629|International Regional Science Review|Social Sciences, general / Regional planning; Regional economics; Regionalism|0160-0176|Quarterly| |SAGE PUBLICATIONS INC +7630|International Relations|Social Sciences, general / International relations|0047-1178|Quarterly| |SAGE PUBLICATIONS LTD +7631|International Relations of the Asia-Pacific|Social Sciences, general / International relations|1470-482X|Tri-annual| |OXFORD UNIV PRESS +7632|International Review for the Sociology of Sport|Social Sciences, general / Sports; Sportsociologie|1012-6902|Quarterly| |SAGE PUBLICATIONS LTD +7633|International Review of Administrative Sciences|Social Sciences, general / Public administration|0020-8523|Quarterly| |SAGE PUBLICATIONS LTD +7634|International Review of African American Art| |1045-0920|Quarterly| |MUSEUM AFR AMER ART +7635|International Review of Cell and Molecular Biology|Molecular Biology & Genetics|1937-6448|Irregular| |ELSEVIER ACADEMIC PRESS INC +7636|International Review of Cytology-A Survey of Cell Biology|Molecular Biology & Genetics /|0074-7696|Bimonthly| |ELSEVIER ACADEMIC PRESS INC +7637|International Review of Economics & Finance|Economics & Business / Economics; Finance|1059-0560|Quarterly| |ELSEVIER SCIENCE BV +7638|International Review of Electrical Engineering-Iree|Engineering|1827-6660|Bimonthly| |PRAISE WORTHY PRIZE SRL +7639|International Review of Hydrobiology|Plant & Animal Science / Limnology; Marine biology; Freshwater biology; Hydrography; Aquatic biology; Biologie marine; Limnologie; Hydrobiologie; Biologie d'eau douce|1434-2944|Bimonthly| |WILEY-V C H VERLAG GMBH +7640|International Review of Law and Economics|Economics & Business / Law; Economics; Law and economics; Droit; Économie politique; Rechtseconomie|0144-8188|Quarterly| |ELSEVIER SCIENCE INC +7641|International Review of Neurobiology|Neuroscience & Behavior /|0074-7742|Irregular| |ELSEVIER ACADEMIC PRESS INC +7642|International Review of Psychiatry|Psychiatry/Psychology / Psychiatry; Mental Disorders; Review Literature|0954-0261|Quarterly| |ROUTLEDGE JOURNALS +7643|International Review of Research in Mental Retardation|Psychiatry/Psychology|0074-7750|Annual| |ELSEVIER ACADEMIC PRESS INC +7644|International Review of Social History|Social history|0020-8590|Tri-annual| |CAMBRIDGE UNIV PRESS +7645|International Review of the Aesthetics and Sociology of Music|Music|0351-5796|Semiannual| |CROATIAN MUSICOLOGICAL SOC +7646|International Review of the Red Cross|Social Sciences, general /|1816-3831|Quarterly| |CAMBRIDGE UNIV PRESS +7647|International Reviews in Physical Chemistry|Chemistry / Chemistry, Physical and theoretical|0144-235X|Quarterly| |TAYLOR & FRANCIS LTD +7648|International Reviews Of Immunology|Immunology / Immunology; Clinical immunology; Allergy and Immunology|0883-0185|Bimonthly| |TAYLOR & FRANCIS INC +7649|International Rice Research Notes| |0117-4185|Tri-annual| |INT RICE RESEARCH INST +7650|International Security|Social Sciences, general / Security, International; Military policy; Nuclear nonproliferation|0162-2889|Quarterly| |M I T PRESS +7651|International Small Business Journal|Economics & Business / Small business|0266-2426|Bimonthly| |SAGE PUBLICATIONS LTD +7652|International Social Work|Social Sciences, general / Social service; Social work education; Andragologie; Travail social; Service social; Travailleur social; Formation (Éducation); Étude transculturelle|0020-8728|Quarterly| |SAGE PUBLICATIONS LTD +7653|International Sociology|Social Sciences, general / Sociology; Sociologie|0268-5809|Bimonthly| |SAGE PUBLICATIONS LTD +7654|International Sportmed Journal|Clinical Medicine|1528-3356|Quarterly| |INT FEDERATION SPORTS MEDICINE +7655|International Statistical Review|Mathematics / Statistics; Statistiek; STATISTICS; ECONOMETRICS; MATHEMATICAL STATISTICS; STATISTICAL METHODOLOGY / Statistics; Statistiek; STATISTICS; ECONOMETRICS; MATHEMATICAL STATISTICS; STATISTICAL METHODOLOGY|0306-7734|Tri-annual| |INT STATISTICAL INST +7656|International Studies in Philosophy| |0270-5664|Quarterly| |INT STUDIES PHILOSOPHY +7657|International Studies on Sparrows| |1734-624X|Annual| |POLISH ACAD SCIENCES +7658|International Studies Perspectives|International relations|1528-3577|Quarterly| |JOHN WILEY & SONS INC +7659|International Studies Quarterly|Social Sciences, general / International relations; World politics; Internationale studies|0020-8833|Quarterly| |WILEY-BLACKWELL PUBLISHING +7660|International Studies Review|International relations; World politics; Relations internationales; Politique mondiale; Internationale betrekkingen|1521-9488|Quarterly| |JOHN WILEY & SONS INC +7661|International Sugar Journal|Agricultural Sciences|0020-8841|Monthly| |INT SUGAR JOURNAL LTD +7662|International Surgery|Clinical Medicine|0020-8868|Quarterly| |INT COLLEGE OF SURGEONS +7663|International Tax and Public Finance|Economics & Business / Taxation; Finance, Public; Belastingen; Belastingpolitiek; Openbare financiën; Internationaal belastingrecht; Impôt; Finances publiques|0927-5940|Bimonthly| |SPRINGER +7664|International Urogynecology Journal|Clinical Medicine / Urogynecology; Generative organs, Female; Genital Diseases, Female; Urologic Diseases / Urogynecology; Generative organs, Female; Genital Diseases, Female; Urologic Diseases|0937-3462|Bimonthly| |SPRINGER LONDON LTD +7665|International Urology and Nephrology|Clinical Medicine / Kidneys; Urology; Nephrology; Kidney Diseases / Kidneys; Urology; Nephrology; Kidney Diseases|0301-1623|Quarterly| |SPRINGER +7666|International Wader Studies| |1354-9944|Irregular| |INT WADER STUDY GROUP +7667|International Zoo Yearbook|Zoos; Animal Population Groups; Museums; Dierkunde; Jardins zoologiques|0074-9664|Annual| |ZOOLOGICAL SOC LONDON +7668|Internationale Politik|Social Sciences, general|1430-175X|Monthly| |BIELEFELDER VERLAGSANSTALT GMBH +7669|Internationale Zeitschrift fur Arztliche Psychoanalyse| | | | |J F BERGMANN VERLAG +7670|Internationale Zeitschrift fur Psychoanalyse| | |Quarterly| |J F BERGMANN VERLAG +7671|Internationale Zeitschrift fur Psychoanalyse und Imago| | |Quarterly| |J F BERGMANN VERLAG +7672|Internationales Archiv fur Sozialgeschichte der Deutschen Literatur|German literature; Social problems in literature|0340-4528|Semiannual| |MAX NIEMEYER VERLAG +7673|Internationales Zuchtbuch fuer Den Mesopotamischen Damhirsch| | |Annual| |TIERPARK BERLIN-FRIEDRICHSFELDE GMBH +7674|Internet and Higher Education|Social Sciences, general / Education, Higher; Internet in education; Computer-assisted instruction; Internet; Hoger onderwijs; Internet en éducation; Enseignement supérieur|1096-7516|Quarterly| |ELSEVIER SCIENCE INC +7675|Internet Research|Computer Science / Internet; Computer networks; Computer Communication Networks / Internet; Computer networks; Computer Communication Networks|1066-2243|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +7676|Internist|Clinical Medicine / Internal medicine; Medicine; Internal Medicine|0020-9554|Monthly| |SPRINGER +7677|Interpretation-A Journal of Bible and Theology| |0020-9643|Quarterly| |UNION THEOLOGICAL SEMINARY +7678|Interpretation-A Journal of Political Philosophy| |0020-9635|Tri-annual| |INTERPRETATION +7679|Interpreter and Translator Trainer|Social Sciences, general|1750-399X|Semiannual| |ST JEROME PUBLISHING +7680|Intersecciones En Antropologia|Social Sciences, general|1666-2105|Annual| |UNIV NAC CENTRO PROVINCIA BUENOS AIRES +7681|Intervention in School and Clinic|Social Sciences, general / Children with disabilities; Special education; Education, Special; Learning Disorders; Enfants handicapés; Éducation spéciale; Enfants handicapés mentaux|1053-4512|Bimonthly| |SAGE PUBLICATIONS INC +7682|Interventional Neuroradiology|Clinical Medicine|1123-9344|Quarterly| |EDIZIONI CENTAURO +7683|Intervirology|Microbiology / Virology; Virologie|0300-5526|Bimonthly| |KARGER +7684|Inventiones mathematicae|Mathematics / Mathematics; Mathématiques|0020-9910|Monthly| |SPRINGER +7685|Inverse Problems|Physics / Mathematics|0266-5611|Bimonthly| |IOP PUBLISHING LTD +7686|Inverse Problems and Imaging|Mathematics / Inverse problems (Differential equations); Tomography|1930-8337|Quarterly| |AMER INST MATHEMATICAL SCIENCES +7687|Inverse Problems in Science and Engineering|Engineering / Engineering mathematics; Inverse problems (Differential equations)|1741-5977|Bimonthly| |TAYLOR & FRANCIS LTD +7688|Invertebrate Biology|Plant & Animal Science / Invertebrates; Microscopy; Invertébrés|1077-8306|Quarterly| |WILEY-BLACKWELL PUBLISHING +7689|Invertebrate Neuroscience|Neuroscience & Behavior / Invertebrates; Neurosciences; Invertébrés; Ongewervelde dieren; Neurologie|1354-2516|Quarterly| |SPRINGER HEIDELBERG +7690|Invertebrate Reproduction & Development|Plant & Animal Science|0792-4259|Bimonthly| |INT SCIENCE SERVICES/BALABAN PUBLISHERS +7691|Invertebrate Systematics|Plant & Animal Science / Invertebrates; Zoology|1445-5226|Bimonthly| |CSIRO PUBLISHING +7692|Investigacion Bibliotecologica|Social Sciences, general|0187-358X|Semiannual| |UNIV NACIONAL AUTONOMA MEXICO +7693|Investigacion Clinica|Clinical Medicine|0535-5133|Quarterly| |INST INVESTIGACION CLINICA +7694|Investigacion Economica|Economics & Business|0185-1667|Quarterly| |UNIV NACIONAL AUTONOMA MEXICO +7695|Investigaciones marinas| |0716-1069|Semiannual| |UNIV CATOLICA DE VALPARAISO +7696|Investigational New Drugs|Pharmacology & Toxicology / Antineoplastic agents; Cancer; Antineoplastic Agents|0167-6997|Quarterly| |SPRINGER +7697|Investigative Ophthalmology & Visual Science|Clinical Medicine / Ophthalmology; Vision; Oogheelkunde / Ophthalmology; Vision; Oogheelkunde|0146-0404|Monthly| |ASSOC RESEARCH VISION OPHTHALMOLOGY INC +7698|Investigative Radiology|Clinical Medicine / Diagnosis, Radioscopic; Radiology, Medical; Radiography|0020-9996|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +7699|Investment Analysts Journal| |1029-3523|Semiannual| |INVESTMENT ANALYSTS SOC SOUTHERN AFRICA +7700|Inzinerine Ekonomika-Engineering Economics|Economics & Business|1392-2785|Bimonthly| |KAUNAS UNIV TECHNOL +7701|Iobc-Wprs Bulletin| |1027-3115|Irregular| |INT ORGANIZATION BIOLOGICAL INTEGRATED CONTROL NOXIOUS ANIMALS P +7702|Ionics|Physics /|0947-7047|Bimonthly| |SPRINGER HEIDELBERG +7703|Iowa Law Bulletin| | | | |UNIV IOWA +7704|Iowa Law Review|Social Sciences, general|0021-0552|Bimonthly| |UNIV IOWA +7705|Ippologia|Plant & Animal Science|1120-5776|Quarterly| |EDITORE SCIVAC +7706|Iran and the Caucasus| |1609-8498|Semiannual| |BRILL ACADEMIC PUBLISHERS +7707|Iranian Biomedical Journal| |1028-852X|Quarterly| |PASTEUR INST IRAN +7708|Iranian Journal of Allergy Asthma and Immunology|Clinical Medicine|1735-1502|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7709|Iranian Journal of Animal Biosystematics| |1735-434X|Annual| |FERDOWSI UNIV +7710|Iranian Journal of Arthropod-Borne Diseases|Microbiology|1735-7179|Semiannual| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7711|Iranian Journal of Basic Medical Sciences|Pharmacology & Toxicology|2008-3866|Quarterly| |MASHHAD UNIV MED SCIENCES +7712|Iranian Journal of Biotechnology| |1728-3043|Quarterly| |NATL RESEARCH CTR GENETIC ENGINEERING & BIOTECHNOLOGY +7713|Iranian Journal of Botany| |1029-788X|Semiannual| |RES INST FORESTS & RANGELANDS +7714|Iranian Journal of Chemistry & Chemical Engineering-International English Edition|Chemistry|1021-9986|Quarterly| |JIHAD DANESHGAHI +7715|Iranian Journal of Environmental Health Science & Engineering|Environment/Ecology|1735-1979|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7716|Iranian Journal of Fisheries Sciences|Plant & Animal Science|1562-2916|Tri-annual| |IRANIAN FISHERIES RESEARCH ORGANIZATION +7717|Iranian Journal of Fuzzy Systems|Mathematics|1735-0654|Tri-annual| |UNIV SISTAN & BALUCHISTAN +7718|Iranian Journal of Immunology|Immunology|1735-1383|Quarterly| |SHIRAZ INST CANCER RES +7719|Iranian Journal of Ophthalmology|Clinical Medicine|1735-4153|Quarterly| |IRANIAN SOC OPHTHALMOLOGY +7720|Iranian Journal of Parasitology|Microbiology|1735-7020|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7721|Iranian Journal of Pediatrics|Clinical Medicine|2008-2142|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7722|Iranian Journal of Pharmaceutical Research|Pharmacology & Toxicology|1735-0328|Quarterly| |SHAHEED BEHESHTI UNIV +7723|Iranian Journal of Plant Pathology| |0006-2774|Quarterly| |IRANIAN PHYTOPATHOLOGICAL SOC +7724|Iranian Journal of Public Health|Social Sciences, general|0304-4556|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7725|Iranian Journal of Radiation Research|Clinical Medicine|1728-4554|Quarterly| |IJRR-IRANIAN JOURNAL RADIATION RES +7726|Iranian Journal of Radiology|Clinical Medicine|1735-1065|Quarterly| |IRANIAN SCIENTIFIC SOCIETY MEDICAL ENTOMOLOGY +7727|Iranian Journal of Reproductive Medicine|Clinical Medicine|1680-6433|Quarterly| |SHAHID SADOUGHI UNIV MEDICAL SCIENCES YAZD +7728|Iranian Journal of Science and Technology Transaction A-Science|Multidisciplinary|1028-6276|Irregular| |SHIRAZ UNIV +7729|Iranian Journal of Science and Technology Transaction B-Engineering|Engineering|1028-6284|Bimonthly| |SHIRAZ UNIV +7730|Iranian Journal of Veterinary Research|Plant & Animal Science|1728-1997|Quarterly| |SHIRAZ UNIV +7731|Iranian Polymer Journal|Chemistry|1026-1265|Monthly| |POLYMER RESEARCH CENTER IRAN +7732|Iranian Red Crescent Medical Journal|Clinical Medicine|1561-4395|Quarterly| |IRANIAN RES CRESCENT SOC +7733|Iranica Antiqua| |0021-0870|Annual| |PEETERS +7734|IRBM|Clinical Medicine /|1959-0318|Bimonthly| |ELSEVIER SCIENCE INC +7735|Ireland Red List| |2009-2016|Irregular| |NATL PARKS & WILDLIFE SERV +7736|Irene Mcculloch Foundation Monograph Series| |1067-8174|Irregular| |HANCOCK INST MARINE STUDIES +7737|Irish Biogeographical Society Bulletin| |0332-1185|Annual| |IRISH BIOGEOGRAPHICAL SOC +7738|Irish Educational Studies|Social Sciences, general / Education|0332-3315|Tri-annual| |ROUTLEDGE JOURNALS +7739|Irish Fisheries Bulletin| |0332-4338|Annual| |MARINE INST +7740|Irish Fisheries Investigations New Series| |1649-0037|Irregular| |MARINE INST +7741|Irish Historical Studies| |0021-1214|Semiannual| |Trinity College Dublin +7742|Irish Journal of Agricultural and Food Research|Agricultural Sciences|0791-6833|Semiannual| |TEAGASC +7743|Irish Journal of Earth Sciences|Earth sciences; Aardwetenschappen|0790-1763|Semiannual| |ROYAL IRISH ACADEMY +7744|Irish Journal of Medical Science|Clinical Medicine / Medicine; Médecine|0021-1265|Quarterly| |SPRINGER LONDON LTD +7745|Irish Journal of Psychological Medicine|Psychiatry/Psychology|0790-9667|Quarterly| |MED-MEDIA LTD +7746|Irish Naturalists Journal| |0021-1311|Quarterly| |IRISH NATURALISTS JOURNAL LTD +7747|Irish Pharmacy Journal| |0332-0707|Monthly| |IRISH MARINE PRESS +7748|Irish University Review| |0021-1427|Semiannual| |IRISH UNIV REVIEW +7749|Irish Veterinary Journal|Plant & Animal Science|0368-0762|Monthly| |I F P MEDIA +7750|Ironmaking & Steelmaking|Materials Science / Iron industry and trade; Steel industry and trade|0301-9233|Bimonthly| |MANEY PUBLISHING +7751|Irrigation and Drainage|Agricultural Sciences / Irrigation engineering; Drainage; Flood control; Sustainable agriculture|1531-0353|Bimonthly| |JOHN WILEY & SONS LTD +7752|Irrigation Science|Agricultural Sciences / Irrigation|0342-7188|Quarterly| |SPRINGER +7753|ISA Transactions|Engineering / Engineering instruments|0019-0578|Quarterly| |ELSEVIER SCIENCE INC +7754|Isegoria| |1130-2097|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +7755|Ishinomaki Senshu Daigaku Kenkyu Kiyo| |0915-8715|Annual| |ISHINOMAKI SENSHU UNIV +7756|Isi Bilimi Ve Teknigi Dergisi-Journal of Thermal Science and Technology|Engineering|1300-3615|Semiannual| |TURKISH SOC THERMAL SCIENCES TECHNOLOGY +7757|ISIJ International|Materials Science / Iron; Steel; Materials science; Metallurgy; Metal-work|0915-1559|Monthly| |IRON STEEL INST JAPAN KEIDANREN KAIKAN +7758|Isis|Science; History of Medicine; Sciences|0021-1753|Quarterly| |UNIV CHICAGO PRESS +7759|Isj-Invertebrate Survival Journal| |1824-307X|Tri-annual| |INVERTEBRATE SURVIVAL JOURNAL +7760|Islam-Zeitschrift fur Geschichte und Kultur des Islamischen Orients|Islam; Civilization, Islamic; Cultuurgeschiedenis|0021-1818|Semiannual| |WALTER DE GRUYTER & CO +7761|Island Arc|Geosciences / Plate tectonics; Island arcs; Geodynamics|1038-4871|Quarterly| |WILEY-BLACKWELL PUBLISHING +7762|Isle of Wight Bird Report| |1366-0004|Annual| |ISLE WIGHT NATURAL HISTORY ARCHAEOLOGICAL SOC +7763|The ISME Journal|Microbiology / Microbial ecology; Environmental Microbiology; Ecology; Environmental Health; Microbiology|1751-7362|Monthly| |NATURE PUBLISHING GROUP +7764|Isokinetics and Exercise Science|Clinical Medicine|0959-3020|Quarterly| |IOS PRESS +7765|Isotopes in Environmental and Health Studies|Environment/Ecology / Isotopes; Radioisotopes; Environment; Medicine|1025-6016|Quarterly| |TAYLOR & FRANCIS LTD +7766|ISPRS Journal of Photogrammetry and Remote Sensing|Physics / Photographic surveying; Aerial photography; Photogrammetry; Remote sensing|0924-2716|Quarterly| |ELSEVIER SCIENCE BV +7767|Israel Affairs|Social Sciences, general / Israël (staat)|1353-7121|Quarterly| |ROUTLEDGE JOURNALS +7768|Israel Exploration Journal| |0021-2059|Semiannual| |ISRAEL EXPLOR SOC +7769|Israel Journal of Chemistry|Chemistry / Chemistry|0021-2148|Tri-annual| |SCIENCE FROM ISRAEL-DIVISION OF LASER PAGES PUBL LTD +7770|Israel Journal of Earth Sciences|Geology|0021-2164|Quarterly| |SCIENCE FROM ISRAEL-DIVISION OF LASER PAGES PUBL LTD +7771|Israel Journal of Ecology & Evolution|Environment/Ecology /|1565-9801|Quarterly| |SCIENCE FROM ISRAEL-DIVISION OF LASER PAGES PUBL LTD +7772|Israel Journal of Entomology| |0075-1243|Annual| |ENTOMOLOGICAL SOC ISRAEL +7773|Israel Journal of Mathematics|Mathematics / Mathematics; Wiskunde; Mathématiques|0021-2172|Bimonthly| |HEBREW UNIV MAGNES PRESS +7774|Israel Journal of Plant Sciences|Plant & Animal Science / Botany; Plants|0792-9978|Quarterly| |SCIENCE FROM ISRAEL-DIVISION OF LASER PAGES PUBL LTD +7775|Israel Journal of Psychiatry and Related Sciences|Psychiatry/Psychology|0333-7308|Quarterly| |GEFEN PUBLISHING HOUSE LTD +7776|Israel Journal of Veterinary Medicine|Plant & Animal Science|0334-9152|Quarterly| |ISRAEL VETERINARY MEDICAL ASSOC +7777|Israel Medical Association Journal|Clinical Medicine|1565-1088|Monthly| |ISRAEL MEDICAL ASSOC JOURNAL +7778|Israeli Journal of Aquaculture-Bamidgeh|Plant & Animal Science|0792-156X|Quarterly| |ISRAELI JOURNAL OF AQUACULTURE-BAMIDGEH +7779|Issledovaniya Fauny Morei| |0368-007X|Irregular| |ZOOLOGICAL INST +7780|Issledovaniya Vodnykh Biologicheskii Resursov Kamchatkii I Severo-Zapadnoichasti Tikhogo Okeana| |2072-8212|Irregular| |KAMCHATNIRO +7781|Issledovano V Rossii| |1819-4192| | |ISSLEDOVANO V ROSSII +7782|Issues & Studies|Social Sciences, general|1013-2511|Quarterly| |INST INT RELATIONS +7783|Issues in Law & Medicine|Social Sciences, general|8756-8160|Tri-annual| |NATIONAL LEGAL CENTER FOR THE MEDICALLY DEPENDENT & DISABLED INC +7784|Issues in Science and Technology|Social Sciences, general|0748-5492|Quarterly| |NATL ACAD SCIENCES +7785|Istanbul Universitesi Veteriner Fakultesi Dergisi| |0250-2836|Quarterly| |ISTANBUL UNIV +7786|Istituto Lombardo Accademia Di Scienze E Lettere Rendiconti Scienze Chimiche E Fisiche Geologiche Biologiche E Mediche B| |0392-9531|Semiannual| |ISTITUTO LOMBARDO +7787|Isurus| |1888-9441|Annual| |ASOC PALEONTOLOGICA ALCOYANA ISURUS +7788|Italian Journal of Anatomy and Embryology| |1122-6714|Quarterly| |MOZZON GIUNTINA S P A IL SEDICESIMO +7789|Italian Journal of Animal Science|Plant & Animal Science /|1594-4077|Quarterly| |PAGEPRESS PUBL +7790|Italian Journal of Biochemistry|Biology & Biochemistry|0021-2938|Quarterly| |BIOMEDIA SRL +7791|Italian Journal of Food Science|Agricultural Sciences|1120-1770|Quarterly| |CHIRIOTTI EDITORI +7792|Italian Journal of Geosciences| |2038-1719|Tri-annual| |SOC GEOLOGICA ITALIANA +7793|Italian Journal of Vascular and Endovascular Surgery|Clinical Medicine|1824-4777|Quarterly| |EDIZIONI MINERVA MEDICA +7794|Italian Journal of Zoology|Plant & Animal Science / Zoology|1125-0003|Quarterly| |TAYLOR & FRANCIS LTD +7795|Italian Studies|Italian literature|0075-1634|Semiannual| |MANEY PUBLISHING +7796|ITE Journal-Institute of Transportation Engineers|Engineering|0162-8178|Monthly| |INST TRANSPORTATION ENGINEERS +7797|Itea-Informacion Tecnica Economica Agraria|Agricultural Sciences|1699-6887|Quarterly| |ASOCIACION INTERPROFESIONAL DESARROLLO AGARIO +7798|Itinera Geobotanica| |0213-8530|Irregular| |UNIV LEON +7799|Ittiopatologia| |1824-0100|Tri-annual| |SOC ITALIANA PATOLOGIA ITTICA-SIPI +7800|IUBMB Life|Biology & Biochemistry / Biochemistry; Molecular biology; Biochimie; Biologie moléculaire; Molecular Biology / Biochemistry; Molecular biology; Biochimie; Biologie moléculaire; Molecular Biology / Biochemistry; Molecular biology; Biochimie; Biologie molé|1521-6543|Monthly| |JOHN WILEY & SONS INC +7801|IUCN Otter Specialist Group Bulletin| |1023-9030|Semiannual| |INT UNION CONSERVATION NATURE NATURAL RESOURCES-IUCN-OTTER SPE +7802|IUCN Resilience Science Group Working Paper Series| | |Irregular| |IUCN-SSC AFROTHERIA SPECIALIST GROUP +7803|IUFS Journal of Biology| | |Semiannual| |ISTANBUL UNIV +7804|IZN International Zoo News| |0020-9155|Bimonthly| |INT ZOO NEWS +7805|Izvestiya Akademii Nauk Gruzii Seriya Biologicheskaya| |1027-555X|Bimonthly| |BIOMED +7806|Izvestiya Akademii Nauk Respubliki Tadzhikistan Otdelenie Biologicheskikh I Meditsinskikh Nauk| | |Quarterly| |IZDATEL STVO DONISH +7807|Izvestiya Altaiskogo Gosudarstvennogo Universiteta| | |Irregular| |IZDVO ALTAIJSKOGO GOSUDARSTVENNOGO UNIV +7808|Izvestiya Atmospheric and Oceanic Physics|Geosciences / Atmospheric physics; Ocean-atmosphere interaction; Atmosfeer; Oceanografie|0001-4338|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +7809|Izvestiya Chelyabinskogo Nauchnogo Tsentra| |1727-7434|Quarterly| |CHELYABINSK SCIENTIFIC CENTER +7810|Izvestiya Kharkovskogo Entomologicheskogo Obshchestva| |1726-8028|Annual| |IZVESTIYA KHARKOVSKOGO ENTOMOLOGICHESKOGO OBSHCHESTVA +7811|Izvestiya Mathematics|Mathematics / Mathematics; Wiskunde; Mathématiques / Mathematics; Wiskunde; Mathématiques|1064-5632|Bimonthly| |IOP PUBLISHING LTD +7812|Izvestiya Ministerstva Obrazovaniya I Nauki Respubliki Kazakhstan Seriya Biologicheskaya I Meditsinskaya| | |Bimonthly| |GYLYM +7813|Izvestiya Natsional Noi Akademii Nauk Respubliki Armenii Nauk O Zemle| |1029-7901|Bimonthly| |ARMENIAN ACAD SCIENCE +7814|Izvestiya Natsionalnoi Akademii Nauk Respubliki Kazakhstan Seriya Biologicheskaya I Meditsinskaya| | | | |NATSIONALNOI AKAD NAUK RESPUBLIKI KAZAKSTAN +7815|Izvestiya Samarskogo Nauchnogo Centra Rossiskaya Akademii Nauk| |1990-5378|Semiannual| |ROSSIISKAYA AKAD NAUK +7816|Izvestiya Timiryazevskoi Selskokhozyaistvennoi Akademii| |0021-342X|Quarterly| |IZDATEL'STVO MSKHA-PUBL HOUSE MOSCOW ACAD AGRICULTURE +7817|Izvestiya Vysshikh Uchebnykh Zavedenii Severo-Kavkazskii Region Estestvennye Nauki| |1026-2237|Quarterly| |IZVESTIYA VYSSHIKH UCHEBNYKH ZAVEDENII SEVERO-KAVKAZSKII REGION +7818|Izvestiya-Physics of the Solid Earth|Geosciences / Geophysics; Geofysica|1069-3513|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +7819|Jacc-Cardiovascular Imaging|Diagnostic Techniques, Cardiovascular; Diagnostic Imaging|1936-878X|Bimonthly| |ELSEVIER SCIENCE INC +7820|Jacc-Cardiovascular Interventions|Clinical Medicine / Cardiovascular Diseases; Cardiovascular Surgical Procedures|1936-8798|Monthly| |ELSEVIER SCIENCE INC +7821|Jahrbuch der Berliner Museen|Art; Beeldende kunsten|0075-2207|Annual| |GEBR MANN VERLAG +7822|Jahrbuch der Geologischen Bundesanstalt| |0016-7800|Quarterly| |GEOLOGISCHE BUNDESANSTALT +7823|Jahrbuch des Naturhistorischen Museums Bern| |0253-4401|Irregular| |NATURHISTORISCHES MUSEUM-BERN +7824|Jahrbuch des Vereins zum Schutz der Bergwelt| |0171-4694|Annual| |VEREIN ZUM SCHUTZ BERGWELT E V +7825|Jahrbuch für Internationale Germanistik|Germanic philology; German philology|0449-5233|Semiannual| |VERLAG PETER LANG AG +7826|Jahrbucher fur Geschichte Osteuropas| |0021-4019|Quarterly| |FRANZ STEINER VERLAG GMBH +7827|Jahrbucher fur Nationalokonomie und Statistik|Economics & Business|0021-4027|Bimonthly| |LUCIUS LUCIUS VERLAG MBH +7828|Jahrbuecher des Nassauischen Vereins fuer Naturkunde| |0368-1254|Annual| |NASSAUISCHER VEREIN NATURKUNDE-HESSISCHE LANDESBIBLIOTHEK +7829|Jahresbericht der Naturforschenden Gesellschaft Graubuenden| |0373-384X|Irregular| |NATURFORSCHENDE GESELLSCHAFT GRAUBUNDEN +7830|Jahresbericht zum Monitoring Greifvoegel und Eulen Europas| |0948-6879|Annual| |MONITORING GREIFVOEGEL EULEN EUROPAS +7831|Jahresberichte der Wetterauischen Gesellschaft fuer die Gesamte Naturkundezu Hanau| |0340-4390|Irregular| |WETTERAUISCHE GESELLSCHAFT FUER DIE GESAMTE NATURKUNDE ZU HANAU A M +7832|Jahresberichte des Naturwissenschaftlichen Vereins in Wuppertal| |0547-9789|Annual| |NATURWISSENSCHAFTLICHER VEREIN WUPPERTAL +7833|Jahresberichte und Mitteilungen des Oberrheinischen Geologischen Vereins Nf| |0078-2947|Annual| |E. SCHWEIZERBART SCIENCE PUBLISHERS +7834|Jahreshefte der Gesellschaft für Naturkunde in Württemberg|natural science|0368-2307|Annual|http://www.ges-naturkde-wuertt.de/menu-04/home-04-01-01.php|GESELLSCHAFT NATURKUNDE IN WUERTTEMBERG E V +7835|Jaids-Journal of Acquired Immune Deficiency Syndromes|Immunology / AIDS (Disease); Acquired Immunodeficiency Syndrome; Syndromes de déficit immunitaire; Sida; Infections à rétrovirus; AIDS / AIDS (Disease); Acquired Immunodeficiency Syndrome; Syndromes de déficit immunitaire; Sida; Infections à rétrovirus; |1525-4135|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +7836|Jama-Journal of the American Medical Association|Clinical Medicine / Medicine|0098-7484|Weekly| |AMER MEDICAL ASSOC +7837|Jamaican Journal of Science and Technology| |1016-2054|Annual| |SCIENTIFIC RESEARCH COUNCIL +7838|James Joyce Quarterly| |0021-4183|Quarterly| |UNIV TULSA +7839|Janac-Journal of the Association of Nurses in Aids Care|Clinical Medicine / Acquired Immunodeficiency Syndrome; HIV Infections|1055-3290|Bimonthly| |ELSEVIER SCIENCE INC +7840|Japan and the World Economy|Economics & Business / Economics|0922-1425|Quarterly| |ELSEVIER SCIENCE BV +7841|Japan Heterocerists Journal| |0286-3537|Quarterly| |JAPAN HETEROCERISTS SOC +7842|Japan Journal of Industrial and Applied Mathematics|Mathematics /|0916-7005|Tri-annual| |KINOKUNIYA CO LTD +7843|Japan Journal of Nursing Science|Social Sciences, general / Nursing; Nursing Research|1742-7932|Semiannual| |WILEY-BLACKWELL PUBLISHING +7844|Japanese Economic Review|Economics & Business / Economics|1352-4739|Quarterly| |WILEY-BLACKWELL PUBLISHING +7845|Japanese Journal of Alcohol Studies & Drug Dependence| |1341-8963|Quarterly| |JAPANESE MEDICAL SOC ALCOHOL & DRUG STUDIES +7846|Japanese Journal of Animal Psychology|Animal behavior; Animal psychology; Behavior, Animal; Psychology, Comparative|0916-8419|Semiannual| |JAPANESE SOC FOR ANIMAL PSYCHOLOGY +7847|Japanese Journal of Antibiotics| |0368-2781|Monthly| |JAPAN ANTIBIOTICS RESEARCH ASSOC +7848|Japanese Journal of Applied Entomology and Zoology|Plant & Animal Science / Insects; Zoology; Entomology|0021-4914|Quarterly| |JAPAN SOC APPL ENTOMOL ZOOL +7849|Japanese Journal of Applied Physics|Physics / Engineering; Physics; Natuurkunde; Ingénierie; Physique|0021-4922|Monthly| |JAPAN SOC APPLIED PHYSICS +7850|Japanese Journal of Bacteriology|Bacteriology|0021-4930|Irregular| |JAPANESE SOC BACTERIOLOGY +7851|Japanese Journal of Benthology| |1345-112X|Annual| |JAPANESE ASSOC BENTHOLOGY +7852|Japanese Journal of Cancer and Chemotherapy| |0385-0684|Monthly| |JAPAN JOURNAL CANCER CHEMOTHER PUBL INC +7853|Japanese Journal of Chemotherapy| |1340-7007|Monthly| |JAPANASE SOCIETY CHEMOTHERAPY +7854|Japanese Journal of Clinical Electron Microscopy| |0021-4981|Quarterly| |CLINICAL ELECTRON MICROSCOPY SOC JAPAN-CEM +7855|Japanese Journal of Clinical Oncology|Clinical Medicine / Oncology; Cancer; Neoplasms|0368-2811|Monthly| |OXFORD UNIV PRESS +7856|Japanese Journal of Ecology| |0021-5007|Quarterly| |ECOLOGICAL SOC JAPAN +7857|Japanese Journal of Educational Psychology|Psychiatry/Psychology|0021-5015|Quarterly| |JAPANESE ASSOC EDUCATIONAL PSYCHOLOGY +7858|Japanese Journal of Entomology-New Series| |1343-8794|Quarterly| |ENTOMOLOGICAL SOC JAPAN +7859|Japanese Journal of Environmental Entomology and Zoology| |0915-4698|Quarterly| |JAPANESE SOC ENVIRONMENTAL ENTOMOLOGY & ZOOLOGY +7860|Japanese Journal of Ichthyology|Ichthyology; Fishes|0021-5090|Semiannual| |ICHTHYOLOGICAL SOC JAPAN +7861|Japanese Journal of Infectious Diseases|Clinical Medicine|1344-6304|Bimonthly| |NATL INST INFECTIOUS DISEASES +7862|Japanese journal of leprosy| |1342-3681|Tri-annual| |JAPANESE LEPROSY ASSOC +7863|Japanese Journal of Limnology|Limnology|0021-5104|Quarterly| |JAPANESE SOC LIMNOLOGY +7864|Japanese Journal of Mathematics|Mathematics /|0289-2316|Semiannual| |SPRINGER +7865|Japanese Journal of Nematology|Nematoda|0919-6765|Semiannual| |JAPANESE NEMATOLOGICAL SOC +7866|Japanese Journal of Neuropsychopharmacology| |1340-2544|Monthly| |JAPANESE SOC NEUROPSYCHOPHARMACOLOGY-JSNP +7867|Japanese Journal of Ophthalmology|Clinical Medicine / Ophthalmology|0021-5155|Quarterly| |SPRINGER TOKYO +7868|Japanese Journal of Ornithology|Birds; Bird watching|0913-400X|Semiannual| |ORNITHOLOGICAL SOC JAPAN +7869|Japanese Journal of Pharmaceutical Health Care and Sciences| |1346-342X|Bimonthly| |JAPANESE SOC HOSPITAL PHARMACISTS +7870|Japanese Journal of Phycology| |0038-1578|Tri-annual| |JAPANESE SOC PHYCOLOGY +7871|Japanese Journal of Physical Fitness and Sports Medicine|Clinical Medicine|0039-906X|Bimonthly| |JAPANESE SOC PHYSICAL FITNESS SPORTS MEDICINE +7872|Japanese Journal of Phytopathology|Plant diseases|0031-9473|Bimonthly| |PHYTOPATHOLOGICAL SOC JAPAN +7873|Japanese Journal of Political Science|Social Sciences, general / Political science; World politics; Politiek|1468-1099|Tri-annual| |CAMBRIDGE UNIV PRESS +7874|Japanese Journal of Psychology|Psychiatry/Psychology|0021-5236|Bimonthly| |JAPANESE PSYCHOLOGICAL ASSOC +7875|Japanese Journal of Radiology|Clinical Medicine /|1867-108X|Monthly| |SPRINGER +7876|Japanese Journal of Religious Studies| |0304-1042|Semiannual| |NANZAN INST RELIGION CULTURE +7877|Japanese Journal of Swine Science| |0913-882X|Quarterly| |JAPANESE SOC SWINE SCIENCE +7878|Japanese Journal of Systematic Entomology| |1341-1160|Semiannual| |EHIME UNIV COLL AGR +7879|Japanese Journal of Systematic Entomology Monographic Series| | |Irregular| |JAPANESE SOC SYSTEMATIC ENTOMOLOGY +7880|Japanese Journal of Tropical Medicine and Hygiene| |0304-2146|Quarterly| |JAPANESE SOC TROPICAL MEDICINE +7881|Japanese Journal of Veterinary Research|Plant & Animal Science|0047-1917|Quarterly| |HOKKAIDO UNIV +7882|Japanese Journal of Zoo and Wildlife Medicine| |1342-6133|Semiannual| |JAPANESE SOC ZOO WILDLIFE MEDICINE +7883|Japanese Psychological Research|Psychiatry/Psychology / Psychology|0021-5368|Quarterly| |WILEY-BLACKWELL PUBLISHING +7884|JARE Data Reports| |0075-3343|Irregular| |NATL INST POLAR RESEARCH +7885|Jaro-Journal of the Association for Research in Otolaryngology|Clinical Medicine / Otolaryngology; Communication Disorders; Hearing; Larynx; Speech; Voice; Keel- neus- en oorheelkunde|1525-3961|Quarterly| |SPRINGER +7886|Jarq-Japan Agricultural Research Quarterly|Agricultural Sciences|0021-3551|Quarterly| |JAPAN INT RESEARCH CENTER AGRICULTURAL SCIENCES +7887|Jassa-The Finsia Journal of Applied Finance|Economics & Business|0313-5934|Quarterly| |FINSIA +7888|Jasss-The Journal of Artificial Societies and Social Simulation|Computer Science|1460-7425|Quarterly| |J A S S S +7889|Javma-Journal of the American Veterinary Medical Association|Plant & Animal Science / Veterinary medicine; Veterinary Medicine; Diergeneeskunde; Médecine vétérinaire|0003-1488|Semimonthly| |AMER VETERINARY MEDICAL ASSOC +7890|Javnost-The Public|Social Sciences, general|1318-3222|Quarterly| |EUROPEAN INST COMMUNICATION CULTURE +7891|Jbis-Journal of the British Interplanetary Society|Space Science|0007-084X|Monthly| |BRITISH INTERPLANETARY SOC +7892|Jbr-Btr|Clinical Medicine|1780-2393|Bimonthly| |ASSOC ROYAL SOC SCIENTIFIQUES MEDICALES BELGES +7893|Jcms-Journal of Common Market Studies|Economics & Business / Europese integratie|0021-9886|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7894|Jcpsp-Journal of the College of Physicians and Surgeons Pakistan|Clinical Medicine|1022-386X|Monthly| |COLL PHYSICIANS & SURGEONS PAKISTAN +7895|Jcr-Journal of Clinical Rheumatology|Clinical Medicine / Rheumatism; Rheumatology; Musculoskeletal system; Musculoskeletal Diseases; Rheumatic Diseases|1076-1608|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +7896|JCT Coatingstech|Materials Science|1547-0083|Monthly| |FEDERATION SOC COATINGS TECHNOLOGY +7897|Jeffersoniana| |1061-1878|Irregular| |VIRGINIA MUSEUM NATURAL HISTORY +7898|JETP Letters|Physics / Physics; Natuurkunde; Physique / Physics; Natuurkunde; Physique|0021-3640|Semimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +7899|Jewish History|Jews; Joden|0334-701X|Quarterly| |SPRINGER +7900|Jezikoslovlje|Social Sciences, general|1331-7202|Semiannual| |JOSIP JURAJ STROSSMAYER UNIV +7901|Jikeikai Medical Journal| |0021-6968|Quarterly| |JIKEI UNIV SCH MED +7902|Jilin Daxue Xuebao Yixueban| |1671-587X|Bimonthly| |JILIN DAXUE-JILIN UNIV +7903|Jingji Dongwu Xuebao| |1007-7448|Quarterly| |JILIN AGRICULTURAL UNIV +7904|Jiyinzuxue Yu Yingyong Shengwuxue| |1674-568X|Bimonthly| |GUANGXI UNIV +7905|Jmba2 Biodiversity Records| | |Irregular| |MARINE BIOLOGICAL ASSOC UNITED KINGDOM +7906|JNCC Report| |0963-8091|Irregular| |JOINT NATURE CONSERVATION COMMITTEE +7907|Jnt-Journal of Narrative Theory| |1549-0815|Tri-annual| |EASTERN MICHIGAN UNIV +7908|Joannea Geologie und Palaeontologie| |1562-9449|Annual| |LANDESMUSEUM JOANNEUM +7909|Joannea Zoologie| |1562-9430|Irregular| |LANDESMUSEUM JOANNEUM +7910|Joensuun Yliopiston Luonnontieteellisia Julkaisuja| |0781-0342|Irregular| |UNIV JOENSUU +7911|Jognn-Journal of Obstetric Gynecologic and Neonatal Nursing|Clinical Medicine / Maternity nursing; Gynecologic nursing; Newborn infants; Pediatric nursing; Genital Diseases, Female; Obstetrical Nursing; Pediatric Nursing|0884-2175|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7912|Johns Hopkins Apl Technical Digest|Engineering|0270-5214|Quarterly| |JOHNS HOPKINS UNIV +7913|Joint Bone Spine|Clinical Medicine / Joints; Spine; Rheumatism; Joint Diseases; Bone Diseases; Rheumatic Diseases; Spinal Diseases; Reumatologie|1297-319X|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +7914|Joint Commission Perspectives| |1044-4017|Bimonthly| |JOINT COMMISSION ON ACCREDITATION OF HEALTHCARE ORGANIZATIONS +7915|Jokull|Geosciences|0449-0576|Annual| |ICELAND GLACIOLOGICAL SOC +7916|JOM|Materials Science / Metallurgy; Metals; Mineralogy|1047-4838|Monthly| |SPRINGER +7917|Jordan Journal of Agricultural Sciences| |1815-8625|Quarterly| |DEANSHIP ACAD RES +7918|Jordan Journal of Biological Sciences| | |Quarterly| |HASHEMITE UNIV +7919|Jordan Journal of Earth and Environmental Sciences| |1995-6681|Quarterly| |HASHEMITE UNIV +7920|Jornal Brasileiro de Pneumologia|Clinical Medicine /|1806-3713|Bimonthly| |SOC BRASILEIRA PNEUMOLOGIA TISIOLOGIA +7921|Jornal de Pediatria|Clinical Medicine /|0021-7557|Bimonthly| |SOC BRASIL PEDIATRIA +7922|Journal American Water Works Association|Engineering|0003-150X|Monthly| |AMER WATER WORKS ASSOC +7923|Journal and Proceedings of the Royal Society of New South Wales| |0035-9173|Quarterly| |ROYAL SOC NEW SOUTH WALES +7924|Journal d Analyse Mathématique|Mathematics / Mathematics; Wiskunde; Mathématiques|0021-7670|Tri-annual| |SPRINGER +7925|Journal de Chirurgie|Clinical Medicine / Chirurgie; Chirurgie expérimentale; Surgery|0021-7697|Bimonthly| |MASSON EDITEUR +7926|Journal de Gynécologie Obstétrique et Biologie de la Reproduction|Clinical Medicine / Gynecology; Obstetrics; Reproduction|0368-2315|Bimonthly| |ELSEVIER MASSON +7927|Journal de Mathematiques Pures et Appliquees|Mathematics / Mathematics; Mathématiques / Mathematics; Mathématiques|0021-7824|Monthly| |GAUTHIER-VILLARS/EDITIONS ELSEVIER +7928|Journal de Mycologie Medicale|Microbiology /|1156-5233|Quarterly| |MASSON EDITEUR +7929|Journal de Pharmacie Clinique| |0291-1981|Quarterly| |JOHN LIBBEY EUROTEXT LTD +7930|Journal de Pharmacie de Belgique| |0047-2166|Bimonthly| |MASSON EDITEUR +7931|Journal de Physique et le Radium| |0368-3842|Monthly| |EDP SCIENCES S A +7932|Journal de Radiologie|Clinical Medicine / Radiology|0221-0363|Monthly| |MASSON EDITEUR +7933|Journal der Deutschen Dermatologischen Gesellschaft|Clinical Medicine / Skin; Dermatology; Skin Diseases|1610-0379|Monthly| |WILEY-BLACKWELL PUBLISHING +7934|Journal des Maladies Vasculaires|Clinical Medicine / Cardiology; Vascular Diseases|0398-0499|Bimonthly| |MASSON EDITEUR +7935|Journal for East European Management Studies|Economics & Business|0949-6181|Quarterly| |RAINER HAMPP VERLAG +7936|Journal for Eighteenth-Century Studies| |1754-0194|Quarterly| |WILEY-BLACKWELL PUBLISHING +7937|Journal for General Philosophy of Science|Science|0925-4560|Semiannual| |SPRINGER +7938|Journal for Nature Conservation|Environment/Ecology / Applied ecology; Conservation biology; Natuurbehoud|1617-1381|Quarterly| |ELSEVIER GMBH +7939|Journal for Research in Mathematics Education|Social Sciences, general / Mathematics; Wiskunde; Onderwijs; Mathématiques|0021-8251|Bimonthly| |NATL COUNC TEACH MATH +7940|Journal for Specialists in Pediatric Nursing|Social Sciences, general / Pediatric nursing; Pediatric Nursing; Soins infirmiers en pédiatrie|1539-0136|Quarterly| |WILEY-BLACKWELL PUBLISHING +7941|Journal for the History of Astronomy|Space Science|0021-8286|Quarterly| |SCIENCE HISTORY PUBLICATIONS LTD +7942|Journal for the Scientific Study of Religion|Social Sciences, general / Religion|0021-8294|Quarterly| |WILEY-BLACKWELL PUBLISHING +7943|Journal for the Study of Judaism|Judaism; Judaïsme; Littérature rabbinique; Histoire; Période postexilique (Judaisme)|0047-2212|Bimonthly| |BRILL ACADEMIC PUBLISHERS +7944|Journal for the Study of Religions and Ideologies| |1583-0039|Tri-annual| |UNIV BABES-BOLYAI +7945|Journal for the Theory of Social Behaviour|Psychiatry/Psychology / Psychology; Human behavior; Social psychology; Psychology, Social; Social Behavior; Sociaal gedrag; Psychologie; Comportement humain; Psychologie sociale|0021-8308|Quarterly| |WILEY-BLACKWELL PUBLISHING +7946|Journal Français d Ophtalmologie|Clinical Medicine / Ophthalmology|0181-5512|Monthly| |MASSON EDITEUR +7947|Journal fur die Reine und Angewandte Mathematik|Mathematics / Mathematics; Mathématiques|0075-4102|Monthly| |WALTER DE GRUYTER & CO +7948|Journal fur Kulturpflanzen-Journal of Cultivated Plants| |1867-0911|Monthly| |EUGEN ULMER GMBH CO +7949|Journal fur Makromolekulare Chemie| |0368-301X| | |SWETS ZEITLINGER PUBLISHERS +7950|Journal für Ornithologie|Ornithology; Birds|0021-8375|Quarterly| |WILEY-BLACKWELL PUBLISHING +7951|Journal fur Praktische Chemie-Leipzig| |0021-8383|Irregular| |WILEY-V C H VERLAG GMBH +7952|Journal fur Psychologie und Neurologie| |0368-3877|Irregular| |JOHANN AMBROSIUS BARTH VERLAG MEDIZINVERLAGE HEIDELBERG GMBH +7953|Journal fur Verbraucherschutz und Lebensmittelsicherheit-Journal of Consumer Protection and Food Safety|Food; Consumer protection|1661-5751|Quarterly| |BIRKHAUSER VERLAG AG +7954|Journal International des Sciences de la Vigne et Du Vin|Agricultural Sciences|1151-0285|Quarterly| |VIGNE ET VIN PUBLICATIONS INT +7955|Journal Namibia Scientific Society| |1018-7677|Annual| |NAMIBIA WISSENSCHAFTLICHE GESELLSCHAFT +7956|Journal of Aapos|Clinical Medicine / Pediatric ophthalmology; Strabismus; Eye Diseases; Child; Infant|1091-8531|Bimonthly| |MOSBY-ELSEVIER +7957|Journal of Abnormal and Social Psychology|Psychology, Pathological; Psychology; Social psychology; Psychopathology; Psychology, Social; Psychologie sociale; Psychopathologie / Psychology, Pathological; Psychology; Social psychology; Psychopathology; Psychology, Social; Psychologie sociale; Psych|0096-851X|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +7958|Journal of Abnormal Child Psychology|Psychiatry/Psychology / Child psychiatry; Adolescent psychiatry; Adolescent Psychiatry; Child Behavior Disorders; Child Psychiatry; Kinder- en jeugdpsychiatrie; Kinderpsychologie; Enfants; Adolescents|0091-0627|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +7959|Journal of Abnormal Psychology|Psychiatry/Psychology / Psychology, Pathological; Social psychology; Psychopathology; Psychologie sociale; Psychologie pathologique; Psychopathologie / Psychology, Pathological; Social psychology; Psychopathology; Psychologie sociale; Psychologie patholo|0021-843X|Quarterly| |AMER PSYCHOLOGICAL ASSOC +7960|Journal of Academic Librarianship|Social Sciences, general / Library science; Academic libraries; Libraries; Information Science|0099-1333|Bimonthly| |ELSEVIER SCIENCE INC +7961|Journal of Accountancy| |0021-8448|Monthly| |AMER INST CERTIFIED PUBL ACCOUNTANTS +7962|Journal of Accounting & Economics|Economics & Business / Accounting; Economics; Comptabilité; Économie politique|0165-4101|Bimonthly| |ELSEVIER SCIENCE BV +7963|Journal of Accounting and Public Policy|Economics & Business / Policy sciences; Accounting|0278-4254|Quarterly| |ELSEVIER SCIENCE INC +7964|Journal of Accounting Research|Economics & Business / Accounting|0021-8456|Bimonthly| |WILEY-BLACKWELL PUBLISHING +7965|Journal of Addiction Medicine|Clinical Medicine / Substance abuse; Substance-Related Disorders; Compulsive behavior|1932-0620|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +7966|Journal of Addictions Nursing|Social Sciences, general / Substance abuse; Drug abuse; Compulsive behavior; Substance-Related Disorders|1088-4602|Quarterly| |TAYLOR & FRANCIS INC +7967|Journal of Addictive Diseases|Social Sciences, general / Drug abuse; Compulsive behavior; Alcoholism; Substance-Related Disorders|1055-0887|Quarterly| |HAWORTH PRESS INC +7968|Journal of Adhesion|Materials Science / Adhesion|0021-8464|Monthly| |TAYLOR & FRANCIS LTD +7969|Journal of Adhesion Science and Technology|Materials Science / Adhesion; Adhesives|0169-4243|Monthly| |BRILL ACADEMIC PUBLISHERS +7970|Journal of Adhesive Dentistry|Clinical Medicine|1461-5185|Quarterly| |QUINTESSENCE PUBLISHING CO INC +7971|Journal of Adolescence|Psychiatry/Psychology / Adolescent psychiatry; Adolescent psychology; Adolescence; Adolescent; Adolescent Psychiatry; Adolescent Psychology; Adolescentie|0140-1971|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +7972|Journal of Adolescent & Adult Literacy|Social Sciences, general / Reading; Literacy; Alfabetisme; Onderwijs|1081-3004|Bimonthly| |INT READING ASSOC +7973|Journal of Adolescent Health|Clinical Medicine / Adolescent medicine; Médecine de l'adolescence; Adolescent Medicine|1054-139X|Monthly| |ELSEVIER SCIENCE INC +7974|Journal of Adolescent Research|Psychiatry/Psychology / Youth; Adolescence; Adolescent; Adolescent Psychology|0743-5584|Quarterly| |SAGE PUBLICATIONS INC +7975|Journal of Adult Development|Psychiatry/Psychology / Adulthood; Developmental psychology; Adult; Human Development; Life Change Events; Levensloop; Volwassenen; Ontwikkelingspsychologie|1068-0667|Quarterly| |SPRINGER/PLENUM PUBLISHERS +7976|Journal of Advanced Concrete Technology|Materials Science / Concrete|1346-8014|Tri-annual| |JAPAN CONCRETE INST +7977|Journal of Advanced Materials|Materials Science|1070-9789|Quarterly| |SAMPE PUBLISHERS +7978|Journal of Advanced Mechanical Design Systems and Manufacturing|Engineering /|1881-3054|Bimonthly| |JAPAN SOC MECHANICAL ENGINEERS +7979|Journal of Advanced Nursing|Social Sciences, general / Nursing; Verpleegkunde|0309-2402|Monthly| |WILEY-BLACKWELL PUBLISHING +7980|Journal of Advanced Oxidation Technologies|Chemistry|1203-8407|Semiannual| |SCIENCE & TECHNOLOGY NETWORK INC +7981|Journal of Advanced Transportation|Engineering /|0197-6729|Tri-annual| |INST TRANSPORTATION +7982|Journal of Advanced Zoology|Plant & Animal Science|0253-7214|Semiannual| |ASSOC ADVAN ZOOLOGY +7983|Journal of Advertising|Social Sciences, general / Advertising; Reclame; Publicité|0091-3367|Quarterly| |M E SHARPE INC +7984|Journal of Advertising Research|Social Sciences, general / Advertising; Reclame; Publicité|0021-8499|Quarterly| |ADVERTISING RESEARCH FOUNDATION +7985|Journal of Aerosol Medicine and Pulmonary Drug Delivery|Clinical Medicine / Aerosols; Lungs; Drug delivery systems; Lung Diseases; Drug Delivery Systems; Inhalation Exposure|1941-2711|Quarterly| |MARY ANN LIEBERT INC +7986|Journal of Aerosol Science|Chemistry / Aerosols|0021-8502|Monthly| |ELSEVIER SCI LTD +7987|Journal of Aerospace Computing Information and Communication|Engineering / Aerospace engineering; Computer engineering; Astronautics|1940-3151|Monthly| |AMER INST AERONAUT ASTRONAUT +7988|Journal of Aerospace Engineering|Engineering / Astronautics; Aerospace engineering; Civil engineering|0893-1321|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +7989|Journal of Aesthetic Education|Aesthetics; Education, Secondary; Kunstzinnige vorming|0021-8510|Quarterly| |UNIV ILLINOIS PRESS +7990|Journal of Aesthetics and Art Criticism|Aesthetics; Art criticism / Aesthetics; Art criticism|0021-8529|Quarterly| |WILEY-BLACKWELL PUBLISHING +7991|Journal of Affective Disorders|Psychiatry/Psychology / Affective disorders; Affective Symptoms|0165-0327|Monthly| |ELSEVIER SCIENCE BV +7992|Journal of African Archaeology| |1612-1651|Semiannual| |AFRICA MAGNA VERLAG +7993|Journal of African Cultural Studies|African languages; Language and culture; Langues africaines; Langage et culture|1369-6815|Semiannual| |ROUTLEDGE JOURNALS +7994|Journal of African Earth Sciences|Geosciences / Earth sciences; Geology; Aardwetenschappen; Geologie|1464-343X|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +7995|Journal of African Economies|Economics & Business / Economische situatie; Economische geschiedenis|0963-8024|Tri-annual| |OXFORD UNIV PRESS +7996|Journal of African History| |0021-8537|Tri-annual| |CAMBRIDGE UNIV PRESS +7997|Journal of African Languages and Linguistics|Social Sciences, general / African languages; Taalwetenschap; Afrikaanse talen|0167-6164|Semiannual| |MOUTON DE GRUYTER +7998|Journal of African Law|Social Sciences, general /|0021-8553|Semiannual| |CAMBRIDGE UNIV PRESS +7999|Journal of Afrotropical Zoology| |1781-1104|Irregular| |MUSEE ROYAL AFRIQUE CENTRALE +8000|Journal of Aging and Health|Social Sciences, general / Older people; Geriatrics; Aged; Health Services for the Aged|0898-2643|Quarterly| |SAGE PUBLICATIONS INC +8001|Journal of Aging and Pharmacotherapy|Chemotherapy; Drug Therapy; Geriatric pharmacology|1540-5303|Quarterly| |HAWORTH PRESS INC +8002|Journal of Aging and Physical Activity|Social Sciences, general|1063-8652|Quarterly| |HUMAN KINETICS PUBL INC +8003|Journal of Aging Studies|Social Sciences, general / Gerontology; Aging; Gérontologie; Personnes âgées; Vieillesse; Vieillissement; Service social aux personnes âgées|0890-4065|Quarterly| |ELSEVIER SCIENCE INC +8004|Journal of Agrarian Change|Economics & Business / Agricultural innovations; Agriculture; Land reform; Land tenure|1471-0358|Quarterly| |WILEY-BLACKWELL PUBLISHING +8005|Journal of Agricultural & Environmental Ethics|Agriculture|1187-7863|Quarterly| |SPRINGER +8006|Journal of Agricultural and Food Chemistry|Agricultural Sciences / Agricultural chemistry; Food; Plants; Chemistry, Agricultural; Food Analysis; Chimie agricole; Aliments; Plantes|0021-8561|Biweekly| |AMER CHEMICAL SOC +8007|Journal of Agricultural and Resource Economics|Economics & Business|1068-5502|Tri-annual| |WESTERN AGRICULTURAL ECONOMICS ASSOC +8008|Journal of Agricultural and Urban Entomology|Plant & Animal Science /|1523-5475|Quarterly| |SOUTH CAROLINA ENTOMOLOGICAL SOC +8009|Journal of Agricultural Biological and Environmental Statistics|Biology & Biochemistry / Agriculture; Biometry; Environmental sciences|1085-7117|Quarterly| |SPRINGER +8010|Journal of Agricultural Economics|Economics & Business / Agriculture; Landbouweconomie; AGRICULTURAL ECONOMICS|0021-857X|Tri-annual| |WILEY-BLACKWELL PUBLISHING +8011|Journal of Agricultural Meteorology|Meteorology, Agricultural|0021-8588|Quarterly| |SOC AGRICULTURAL METEOROLOGY JAPAN +8012|Journal of Agricultural Research| |0095-9758|Semimonthly| |U S DEPT AGRICULTURE +8013|Journal of Agricultural Science|Agricultural Sciences / Agriculture; Landbouwkunde|0021-8596|Bimonthly| |CAMBRIDGE UNIV PRESS +8014|Journal of Agricultural Science and Technology|Agricultural Sciences|1680-7073|Quarterly| |TARBIAT MODARES UNIV +8015|Journal of Agricultural Science Tokyo Nogyo Daigaku| |0375-9202|Quarterly| |TOKYO UNIV AGRICULTURE +8016|Journal of Agriculture & Biological Sciences| |2075-678X|Semiannual| |PMAS ARID AGRICULTURE UNIV +8017|Journal of Agriculture and Rural Development in the Tropics and Subtropics|Agricultural Sciences|1612-9830|Semiannual| |KASSEL UNIV PRESS GMBH +8018|Journal of Agriculture of the University of Puerto Rico|Agricultural Sciences|0041-994X|Semiannual| |UNIV PUERTO RICO +8019|Journal of Agrobiology| |1803-4403|Semiannual| |JIHOCESKA UNIV V CESKYCH BUDEJOVICICH +8020|Journal of Agrometeorology|Agricultural Sciences|0972-1665|Semiannual| |ASSOC AGROMETEROLOGISTS +8021|Journal of Agronomy and Crop Science|Agricultural Sciences / Agronomy; Crop science / Agronomy; Crop science|0931-2250|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8022|Journal of Air Transport Management|Economics & Business / Airlines; Aeronautics, Commercial; Luchtvervoer|0969-6997|Bimonthly| |ELSEVIER SCI LTD +8023|Journal of Aircraft|Engineering / Aeronautics; Luchtvaart|0021-8669|Bimonthly| |AMER INST AERONAUT ASTRONAUT +8024|Journal of Algebra|Mathematics / Algebra; Algèbre|0021-8693|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8025|Journal of Algebra and Its Applications|Mathematics / Algebra|0219-4988|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +8026|Journal of Algebraic Combinatorics|Mathematics / Combinatorial analysis; Algebra; Analyse combinatoire; Algèbre; Combinatieleer|0925-9899|Bimonthly| |SPRINGER +8027|Journal of Algebraic Geometry|Mathematics|1056-3911|Quarterly| |UNIV PRESS INC +8028|Journal of Algorithms-Cognition Informatics and Logic|Computer programming; Computer algorithms|0196-6774|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8029|Journal of Allergy and Clinical Immunology|Clinical Medicine / Allergy; Allergy and Immunology; Hypersensitivity; Allergie / Allergy; Allergy and Immunology; Hypersensitivity; Allergie|0091-6749|Monthly| |MOSBY-ELSEVIER +8030|Journal of Alloys and Compounds|Materials Science / Alloys|0925-8388|Semimonthly| |ELSEVIER SCIENCE SA +8031|Journal of Alpine Geology| |1991-4113| | |INST GEOLOGIE +8032|Journal of Alternative and Complementary Medicine|Clinical Medicine / Alternative medicine; Complementary Therapies|1075-5535|Bimonthly| |MARY ANN LIEBERT INC +8033|Journal of Alzheimers Disease|Clinical Medicine|1387-2877|Semimonthly| |IOS PRESS +8034|Journal of American College Health|Social Sciences, general / College students; Student Health Services|0744-8481|Irregular| |HELDREF PUBLICATIONS +8035|Journal of American Ethnic History| |0278-5927|Quarterly| |UNIV ILLINOIS PRESS +8036|Journal of American Folklore|Folklore; Manners and customs|0021-8715|Quarterly| |AMER FOLKLORE SOC +8037|Journal of American History|Social Sciences, general /|0021-8723|Quarterly| |ORGANIZATION AMER HISTORIANS +8038|Journal of American Science| |1545-1003|Bimonthly| |MARSLAND PRESS +8039|Journal of American Studies|American literature; Amerikanistiek|0021-8758|Tri-annual| |CAMBRIDGE UNIV PRESS +8040|Journal of Analytical and Applied Pyrolysis|Engineering / Pyrolysis; Pyrolyse; Chemistry, Analytical; Heat|0165-2370|Bimonthly| |ELSEVIER SCIENCE BV +8041|Journal of Analytical Atomic Spectrometry|Chemistry / Atomic spectra; Spectrophotometry, Atomic; Spectrum Analysis|0267-9477|Monthly| |ROYAL SOC CHEMISTRY +8042|Journal of Analytical Chemistry|Chemistry / Chemistry, Analytic|1061-9348|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +8043|Journal of Analytical Psychology|Psychiatry/Psychology / Jungian psychology; Psychoanalysis|0021-8774|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8044|Journal of Analytical Toxicology|Chemistry|0146-4760|Monthly| |PRESTON PUBL INC +8045|Journal of Anatomy|Biology & Biochemistry / Anatomy; Anatomie|0021-8782|Monthly| |WILEY-BLACKWELL PUBLISHING +8046|Journal of Anatomy and Physiology| | |Quarterly| |WILEY-BLACKWELL PUBLISHING +8047|Journal of Ancient Near Eastern Religions|Religion|1569-2116|Semiannual| |BRILL ACADEMIC PUBLISHERS +8048|Journal of Andrology|Clinical Medicine / Andrology; Androgens; Endocrinology; Genitalia, Male; Semen; Testicular Hormones; Andrologie|0196-3635|Bimonthly| |AMER SOC ANDROLOGY +8049|Journal of Anesthesia|Clinical Medicine / Anesthesia; Anesthesie|0913-8668|Quarterly| |SPRINGER TOKYO +8050|Journal of Animal and Feed Sciences|Plant & Animal Science|1230-1388|Quarterly| |KIELANOWSKI INST ANIMAL PHYSIOLOGY NUTRITION +8051|Journal of Animal and Plant Sciences|Plant & Animal Science|1018-7081|Quarterly| |PAKISTIAN AGRICULTURAL SCIENTISTS FORUM +8052|Journal of Animal and Veterinary Advances|Plant & Animal Science /|1680-5593|Monthly| |MEDWELL ONLINE +8053|Journal of Animal Breeding and Genetics|Plant & Animal Science / Livestock; Breeding; Animals, Domestic; Veeteelt; Genetica; Bétail; Génétique animale|0931-2668|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8054|Journal of Animal Ecology|Plant & Animal Science / Animal ecology; Dierkunde; Ecologie; Écologie animale / Animal ecology; Dierkunde; Ecologie; Écologie animale|0021-8790|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8055|Journal of Animal Morphology and Physiology| |0021-8804|Semiannual| |SOC ANIMAL MORPHOLOGISTS PHYSIOLOGISTS +8056|Journal of Animal Physiology and Animal Nutrition|Plant & Animal Science / Animal nutrition; Veterinary physiology; Animal Population Groups; Animal Nutrition / Animal nutrition; Veterinary physiology; Animal Population Groups; Animal Nutrition / Animal nutrition; Veterinary physiology; Animal Populatio|0931-2439|Monthly| |WILEY-BLACKWELL PUBLISHING +8057|Journal of Animal Science|Plant & Animal Science / Livestock; Nutrition; Veeteelt; Voortplanting (biologie); Bétail; Artiodactyles; Élevage|0021-8812|Monthly| |AMER SOC ANIMAL SCIENCE +8058|Journal of Animal Science and Technology| |1598-9429|Bimonthly| |KOREAN SOC ANIMAL SCIENCES & TECHNOLOGY +8059|Journal of Anthropological Archaeology|Social Sciences, general / Ethnoarchaeology; Archaeology|0278-4165|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8060|Journal of Anthropological Research|Social Sciences, general|0091-7710|Quarterly| |UNIV NEW MEXICO +8061|Journal of Anthropological Sciences|Social Sciences, general|1827-4765|Annual| |IST ITALIANO ANTROPOLOGIA +8062|Journal of Antibiotics|Microbiology /|0021-8820|Monthly| |JAPAN ANTIBIOTICS RESEARCH ASSOC +8063|Journal of Antimicrobial Chemotherapy|Clinical Medicine / Anti-infective agents; Drug Therapy; Antiinfectueux; Chimiothérapie|0305-7453|Monthly| |OXFORD UNIV PRESS +8064|Journal of Anxiety Disorders|Psychiatry/Psychology / Anxiety; Angoisse; Anxiety Disorders|0887-6185|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +8065|Journal of Aoac International|Agricultural Sciences|1060-3271|Bimonthly| |AOAC INT +8066|Journal of Apicultural Research|Plant & Animal Science / Bee culture; Bijenteelt|0021-8839|Quarterly| |INT BEE RESEARCH ASSOC +8067|Journal of Apicultural Science|Plant & Animal Science|1643-4439|Semiannual| |RESEARCH INST POMOLOGY FLORICULTURE +8068|Journal of Applied Animal Research|Plant & Animal Science|0971-2119|Quarterly| |GARUDA SCIENTIFIC PUBLICATIONS +8069|Journal of Applied Animal Welfare Science|Plant & Animal Science / Laboratory animals; Animal welfare; Animal Welfare; Dierenbescherming|1088-8705|Quarterly| |ROUTLEDGE JOURNALS +8070|Journal of Applied Aquaculture|Aquaculture|1045-4438|Quarterly| |HAWORTH PRESS INC +8071|Journal of Applied Behavior Analysis|Psychiatry/Psychology / Psychology, Applied; Social Behavior; Psychofysiologie; Psychologie appliquée|0021-8855|Quarterly| |JOURNAL APPL BEHAV ANAL +8072|Journal of Applied Behavioral Science|Social sciences; Behavior; Psychology, Applied|0021-8863|Quarterly| |SAGE PUBLICATIONS INC +8073|Journal of Applied Biological Chemistry|Agricultural chemistry; Agricultural chemicals; Biochemistry; Biochemical engineering|1976-0442|Quarterly| |KOREAN SOC APPLIED BIOLOGICAL CHEMISTRY +8074|Journal of Applied Biological Sciences| |1307-1130|Tri-annual| |NOBEL PUBL +8075|Journal of Applied Biomaterials & Biomechanics|Materials Science|1722-6899|Tri-annual| |WICHTIG EDITORE +8076|Journal of Applied Biomechanics|Clinical Medicine|1065-8483|Quarterly| |HUMAN KINETICS PUBL INC +8077|Journal of Applied Biomedicine|Pharmacology & Toxicology /|1214-021X|Quarterly| |UNIV SOUTH BOHEMIA +8078|Journal of Applied Bioscience| |0379-8097|Semiannual| |INT SOC APPLIED BIOLOGY +8079|Journal of Applied Botany and Food Quality-Angewandte Botanik|Plant & Animal Science|1613-9216|Semiannual| |DRUCKEREI LIDDY HALM +8080|Journal of Applied Clinical Medical Physics|Social Sciences, general / Health Physics; Clinical Medicine|1526-9914|Quarterly| |MULTIMED INC +8081|Journal of Applied Communication Research|Social Sciences, general / Communication|0090-9882|Quarterly| |ROUTLEDGE JOURNALS +8082|Journal of Applied Crystallography|Chemistry / Crystallography; Kristallografie|0021-8898|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8083|Journal of Applied Developmental Psychology|Psychiatry/Psychology / Developmental psychology; Psychology, Applied; Child Development; Personality Development; Social Problems; Ontwikkelingspsychologie|0193-3973|Bimonthly| |ELSEVIER SCIENCE INC +8084|Journal of Applied Ecology|Environment/Ecology / Agriculture; Biology, Economic; Agricultural ecology; Applied ecology; Ecologie; Toepassingen; Biologie économique; Écologie agricole; Écologie appliquée / Agriculture; Biology, Economic; Agricultural ecology; Applied ecology; Ecolo|0021-8901|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8085|Journal of Applied Econometrics|Economics & Business / Econometrics|0883-7252|Bimonthly| |JOHN WILEY & SONS LTD +8086|Journal of Applied Economics|Economics & Business /|1514-0326|Semiannual| |UNIV CEMA +8087|Journal of Applied Electrochemistry|Chemistry / Electrochemistry, Industrial|0021-891X|Monthly| |SPRINGER +8088|Journal of Applied Entomology|Plant & Animal Science / Insect pests; Beneficial insects; Entomology; Insects; Insect Control|0931-2048|Monthly| |WILEY-BLACKWELL PUBLISHING +8089|Journal of Applied Genetics|Molecular Biology & Genetics|1234-1983|Quarterly| |POLISH ACAD SCIENCES +8090|Journal of Applied Geophysics|Geosciences / Geophysics; Mines and mineral resources; Prospecting; Géophysique; Prospection géophysique|0926-9851|Monthly| |ELSEVIER SCIENCE BV +8091|Journal of Applied Gerontology|Clinical Medicine / Gerontology; Geriatrics|0733-4648|Quarterly| |SAGE PUBLICATIONS INC +8092|Journal of Applied Ichthyology|Plant & Animal Science / Fishes; Aquaculture; Ichthyology|0175-8659|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8093|Journal of Applied Logic|Computer Science /|1570-8683|Quarterly| |ELSEVIER SCIENCE BV +8094|Journal of Applied Mechanics and Technical Physics|Physics / Physics; Mechanics, Applied|0021-8944|Bimonthly| |SPRINGER +8095|Journal of Applied Mechanics-Transactions of the Asme|Engineering / Mechanics, Applied; Mécanique appliquée; Génie mécanique|0021-8936|Bimonthly| |ASME-AMER SOC MECHANICAL ENG +8096|Journal of Applied Meteorology and Climatology|Geosciences / Meteorology; Climatology|1558-8424|Monthly| |AMER METEOROLOGICAL SOC +8097|Journal of Applied Microbiology|Biology & Biochemistry / Microbiology; Microbiological Techniques; Microbiologie; Bactériologie; Toegepaste microbiologie|1364-5072|Monthly| |WILEY-BLACKWELL PUBLISHING +8098|Journal of Applied Oral Science|Clinical Medicine / Dentistry|1678-7757|Bimonthly| |UNIV SAO PAULO FAC ODONTOLOGIA BAURU +8099|Journal of Applied Phycology|Plant & Animal Science / Algology; Algae; Wieren; Algologie|0921-8971|Bimonthly| |SPRINGER +8100|Journal of Applied Physics|Physics / Physics|0021-8979|Semimonthly| |AMER INST PHYSICS +8101|Journal of Applied Physiology|Biology & Biochemistry / Physiology; Exercise; Adaptation (Physiology); Respiration; Environment; Exertion|8750-7587|Monthly| |AMER PHYSIOLOGICAL SOC +8102|Journal of Applied Polymer Science|Chemistry / Polymers; Polymerization|0021-8995|Weekly| |JOHN WILEY & SONS INC +8103|Journal of Applied Poultry Research|Plant & Animal Science / Poultry|1056-6171|Quarterly| |POULTRY SCIENCE ASSOC INC +8104|Journal of Applied Probability|Mathematics / Mathematical statistics; Mathematical models; Probabilities|0021-9002|Quarterly| |APPLIED PROBABILITY TRUST +8105|Journal of Applied Psychology|Psychiatry/Psychology / Psychology; Psychology, Applied; Toegepaste psychologie; Psychologie; Psychologie appliquée|0021-9010|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +8106|Journal of Applied Remote Sensing|Remote sensing|1931-3195|Monthly| |SPIE-SOC PHOTOPTICAL INSTRUMENTATION ENGINEERS +8107|Journal of Applied Research and Technology|Engineering|1665-6423|Tri-annual| |UNIV NACIONAL AUTONOMA MEXICO +8108|Journal of Applied Research in Clinical and Experimental Therapeutics| |1537-064X|Bimonthly| |THERAPEUTIC SOLUTIONS LLC +8109|Journal of Applied Research in Intellectual Disabilities|Psychiatry/Psychology / Learning disabilities; Mental retardation; Learning disabled; People with mental disabilities; Learning Disorders; Mental Retardation|1360-2322|Quarterly| |WILEY-BLACKWELL PUBLISHING +8110|Journal of Applied Science & Environmental Management| |1119-8362|Irregular| |JOURNAL APPLIED SCIENCE & ENVIRONMENTAL MANAGEMENT +8111|Journal of Applied Sciences| |1812-5654|Quarterly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +8112|Journal of Applied Social Psychology|Psychiatry/Psychology / Social psychology; Behavior; Psychology, Social; Sociale psychologie; Psychologie sociale|0021-9029|Semimonthly| |WILEY-BLACKWELL PUBLISHING +8113|Journal of Applied Sociology| |0038-0393|Quarterly| |UNIV SOUTHERN CALIF +8114|Journal of Applied Spectroscopy|Engineering / Spectrum analysis; Analyse spectrale|0021-9037|Bimonthly| |SPRINGER +8115|Journal of Applied Sport Psychology|Psychiatry/Psychology / Sports; Sportpsychologie|1041-3200|Quarterly| |TAYLOR & FRANCIS LTD +8116|Journal of Applied Statistics|Mathematics / Statistics|0266-4763|Bimonthly| |ROUTLEDGE JOURNALS +8117|Journal of Applied Therapeutic Research| |1029-2659|Quarterly| |EUROMED COMMUNICATIONS LTD +8118|Journal of Applied Toxicology|Pharmacology & Toxicology / Toxicology; Industrial toxicology; Environmentally induced diseases|0260-437X|Bimonthly| |JOHN WILEY & SONS LTD +8119|Journal of Applied Zoological Researches| |0970-9304|Semiannual| |APPLIED ZOOLOGISTS RESEARCH ASSOC +8120|Journal of Approximation Theory|Mathematics / Approximation theory|0021-9045|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8121|Journal of Aquariculture & Aquatic Sciences| |0733-2076|Irregular| |WRITTEN WORD +8122|Journal of Aquatic Animal Health|Plant & Animal Science / Fishes; Invertebrates; Fish Diseases; Aquatic animals; Faune aquatique|0899-7659|Quarterly| |AMER FISHERIES SOC +8123|Journal of Aquatic Food Product Technology|Agricultural Sciences / Fishery processing; Animal products; Plant products|1049-8850|Quarterly| |HAWORTH PRESS INC +8124|Journal of Aquatic Plant Management|Plant & Animal Science|0146-6623|Semiannual| |AQUATIC PLANT MANAGEMENT SOC +8125|Journal of Aquatic Sciences| |1115-2788|Annual| |NIGERIAN ASSOC AQUATIC SCIENCES +8126|Journal of Arabic Literature|Arabic literature; Letterkunde; Arabisch|0085-2376|Semiannual| |BRILL ACADEMIC PUBLISHERS +8127|Journal of Arachnology|Plant & Animal Science / Arachnida|0161-8202|Tri-annual| |AMER ARACHNOLOGICAL SOC +8128|Journal of Archaeological Method and Theory|Archaeology; Archeologie; Wetenschappelijke technieken; Theorie|1072-5369|Quarterly| |SPRINGER +8129|Journal of Archaeological Research|Archaeology; Archeologie; Archéologie / Archaeology; Archeologie; Archéologie|1059-0161|Quarterly| |SPRINGER/PLENUM PUBLISHERS +8130|Journal of Archaeological Science|Social Sciences, general / Archaeology|0305-4403|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8131|Journal of Architectural and Planning Research|Social Sciences, general|0738-0895|Quarterly| |LOCKE SCIENCE PUBL CO INC +8132|Journal of Architectural Conservation| |1355-6207|Tri-annual| |DONHEAD PUBL LTD +8133|Journal of Architectural Education|Architecture / Architecture|1046-4883|Quarterly| |WILEY-BLACKWELL PUBLISHING +8134|Journal of Architecture|Architecture; City planning; Urbanisme|1360-2365|Bimonthly| |ROUTLEDGE JOURNALS +8135|Journal of Arid Environments|Environment/Ecology / Arid regions ecology; Arid regions|0140-1963|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8136|Journal of Arthroplasty|Clinical Medicine / Arthroplasty|0883-5403|Bimonthly| |CHURCHILL LIVINGSTONE INC MEDICAL PUBLISHERS +8137|Journal of Artificial Intelligence Research|Engineering|1076-9757|Irregular| |AI ACCESS FOUNDATION +8138|Journal of Artificial Organs|Clinical Medicine / Artificial organs; Artificial Organs|1434-7229|Quarterly| |SPRINGER TOKYO +8139|Journal of Arts and Sciences-Cankaya| | |Semiannual| |CANKAYA UNIV +8140|Journal of Arts Management Law and Society|Performing arts; Kunst; Kunstbeleid; Juridische aspecten; Sociale aspecten|1063-2921|Quarterly| |HELDREF PUBLICATIONS +8141|Journal of Asia-Pacific Entomology|Insects; Entomology|1226-8615|Semiannual| |KOREAN SOC APPLIED ENTOMOLOGY +8142|Journal of Asian Architecture and Building Engineering|Engineering / Architectural design; Structural engineering|1346-7581|Semiannual| |ARCHITECTURAL INST JAPAN +8143|Journal of Asian Earth Sciences|Geosciences / Earth sciences; Geology; Geologie|1367-9120|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +8144|Journal of Asian History| |0021-910X|Semiannual| |VERLAG OTTO HARRASSOWITZ +8145|Journal of Asian Natural Products Research|Plant & Animal Science /|1028-6020|Quarterly| |TAYLOR & FRANCIS LTD +8146|Journal of Asian Studies|Social Sciences, general / ASIAN STUDIES|0021-9118|Quarterly| |CAMBRIDGE UNIV PRESS +8147|Journal of Assisted Reproduction and Genetics|Clinical Medicine / Human reproductive technology; Reproductive technology; Human chromosome abnormalities; Embryo Transfer; Fertilization in Vitro; Genetics; Reproductive Techniques; Fécondation in vitro; Embryon humain; Procréation médicalement assisté|1058-0468|Monthly| |SPRINGER/PLENUM PUBLISHERS +8148|Journal of Association of Physicians of India|Clinical Medicine|0004-5772|Monthly| |ASSOC PHYSICIANS INDIA +8149|Journal of Asthma|Clinical Medicine / Asthma; Recherche; Asthme|0277-0903|Monthly| |TAYLOR & FRANCIS INC +8150|Journal of Astrophysics and Astronomy|Space Science / Astrophysics; Astronomy; Astrofysica; Sterrenkunde|0250-6335|Quarterly| |INDIAN ACAD SCIENCES +8151|Journal of Atherosclerosis and Thrombosis|Clinical Medicine|1340-3478|Bimonthly| |JAPAN ATHEROSCLEROSIS SOC +8152|Journal of Athletic Training|Clinical Medicine /|1062-6050|Bimonthly| |NATL ATHLETIC TRAINERS ASSOC INC +8153|Journal of Atmospheric and Oceanic Technology|Geosciences / Meteorology|0739-0572|Monthly| |AMER METEOROLOGICAL SOC +8154|Journal of Atmospheric and Solar-Terrestrial Physics|Geosciences / Solar-terrestrial physics; Atmospheric physics|1364-6826|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +8155|Journal of Atmospheric Chemistry|Geosciences / Atmospheric chemistry|0167-7764|Monthly| |SPRINGER +8156|Journal of Attention Disorders|Psychiatry/Psychology / Attention-deficit hyperactivity disorder; Attention; Attention Deficit Disorder with Hyperactivity; Hyperactivité|1087-0547|Bimonthly| |SAGE PUBLICATIONS INC +8157|Journal of Australian Political Economy|Economics & Business|0156-5826|Semiannual| |AUSTRALIAN POLITICAL ECONOMY MOVEMENT +8158|Journal of Australian Studies| |1444-3058|Quarterly| |ROUTLEDGE JOURNALS +8159|Journal of Autism and Developmental Disorders|Psychiatry/Psychology / Child psychiatry; Autism in children; Autistic Disorder; Child Behavior Disorders; Child Development; Child; Infant; Autisme; Ontwikkelingsstoornissen|0162-3257|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8160|Journal of Autoimmunity|Immunology / Autoimmunity; Autoimmune diseases; Autoantibodies; Autoimmune Diseases; Auto-immuniteit; Auto-immuunziekten|0896-8411|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8161|Journal of Automated Methods & Management in Chemistry|Chemistry / Chemistry, Analytic; Automation; Chemistry, Analytical / Chemistry, Analytic; Automation; Chemistry, Analytical|1463-9246|Bimonthly| |HINDAWI PUBLISHING CORPORATION +8162|Journal of Automated Reasoning|Engineering / Automatic theorem proving; Artificial intelligence; Logica; Probleemoplossing; Computers|0168-7433|Bimonthly| |SPRINGER +8163|Journal of Automation and Information Sciences|Engineering / Automatic control; Electronic data processing|1064-2315|Monthly| |BEGELL HOUSE INC +8164|Journal of Avian Biology|Plant & Animal Science / Ornithology; Ornithologie|0908-8857|Quarterly| |WILEY-BLACKWELL PUBLISHING +8165|Journal of Avian Medicine and Surgery|Plant & Animal Science / Avian medicine; Birds; Bird Diseases; Veterinary Medicine; Vogels; Diergeneeskunde|1082-6742|Quarterly| |ASSOC AVIAN VETERINARIANS +8166|Journal of Ayn Rand Studies| |1526-1018|Semiannual| |JOURNAL AYN RAND STUDIES FOUNDATION +8167|Journal of Back and Musculoskeletal Rehabilitation|Clinical Medicine / Backache; Musculoskeletal system; Back Pain; Bone Diseases; Bone and Bones; Muscles; Muscular Diseases; Spier-beenderstelsel|1053-8127|Quarterly| |IOS PRESS +8168|Journal of Bacteriology|Microbiology / Bacteriology; Bacteriologie; Microbiologie; Bactériologie|0021-9193|Semimonthly| |AMER SOC MICROBIOLOGY +8169|Journal of Bacteriology and Virology| |1598-2467|Quarterly| |KOREAN SOC MICROBIOLOGY-TAEHAN MISAENGMUL HAKHOE +8170|Journal of Balkan and Near Eastern Studies|Social Sciences, general /|1944-8953|Quarterly| |ROUTLEDGE JOURNALS +8171|Journal of Balkan Ecology| |1311-0527|Quarterly| |JOURNAL BALKAN ECOLOGY +8172|Journal of Baltic Science Education|Social Sciences, general|1648-3898|Tri-annual| |SCI METHODICAL CTR-SCI EDUCOLOGICA +8173|Journal of Baltic Studies| |0162-9778|Quarterly| |ASSOC ADVANCEMENT BALTIC STUDIES INC +8174|Journal of Bamboo and Rattan|Bamboo; Rattan palms; Plants, Useful; Botany|1569-1586|Quarterly| |KERALA FOREST RESEARCH INST +8175|Journal of Band Research| |0021-9207|Semiannual| |TROY STATE UNIV PRESS +8176|Journal of Banking & Finance|Economics & Business / Financial institutions; Finance; Banks and banking|0378-4266|Monthly| |ELSEVIER SCIENCE BV +8177|Journal of Basic and Clinical Physiology and Pharmacology| |0792-6855|Quarterly| |FREUND PUBLISHING HOUSE LTD +8178|Journal of Basic Microbiology|Microbiology / Microbiology; Cells; Eukaryotic Cells; Prokaryotic Cells|0233-111X|Bimonthly| |WILEY-V C H VERLAG GMBH +8179|Journal of Behavior Therapy and Experimental Psychiatry|Psychiatry/Psychology / Behavior therapy; Thérapie de comportement; Behavior Therapy; Psychiatry|0005-7916|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +8180|Journal of Behavioral Decision Making|Psychiatry/Psychology / Decision making; Behavior; Decision Making|0894-3257|Bimonthly| |JOHN WILEY & SONS LTD +8181|Journal of Behavioral Finance|Capital market; Finance|1542-7560|Quarterly| |ROUTLEDGE JOURNALS +8182|Journal of Behavioral Health Services & Research|Social Sciences, general / Mental health services; Mental Health Services|1094-3412|Quarterly| |SPRINGER +8183|Journal of Behavioral Medicine|Psychiatry/Psychology / Medicine and psychology; Behavioral Sciences; Medicine; Medische psychologie; Médecine et psychologie; Médecine psychosomatique|0160-7715|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8184|Journal of Beijing Forestry University| |1000-1522|Bimonthly| |BEIJING FORESTRY UNIV +8185|Journal of Beijing Normal University - Natural Science Edition| |0476-0301|Bimonthly| |CHINA INT BOOK TRADING CORP +8186|Journal of Beijing University of Traditional Chinese Medicine| |1006-2157|Bimonthly| |BEIJING UNIV CHINESE MEDICINE +8187|Journal of Beliefs & Values-Studies in Religion & Education|Social Sciences, general / /|1361-7672|Tri-annual| |ROUTLEDGE JOURNALS +8188|Journal of Biblical Literature|Bijbelwetenschap|0021-9231|Quarterly| |SCHOLARS PRESS +8189|Journal of Bio-Science|Life sciences|1023-8654|Annual| |RAJSHAHI UNIV +8190|Journal of Bioactive and Compatible Polymers|Chemistry / Biomedical materials; Biocompatible Materials; Polymers|0883-9115|Bimonthly| |SAGE PUBLICATIONS LTD +8191|Journal of Biobased Materials and Bioenergy|Materials Science / Biochemistry; Agriculture and energy; Surplus agricultural commodities|1556-6560|Tri-annual| |AMER SCIENTIFIC PUBLISHERS +8192|Journal of Biochemical and Molecular Toxicology|Biology & Biochemistry / Biochemistry; Molecular biology; Toxicology; Molecular Biology|1095-6670|Bimonthly| |JOHN WILEY & SONS INC +8193|Journal of Biochemistry|Biology & Biochemistry / Biochemistry; Biochemie|0021-924X|Monthly| |OXFORD UNIV PRESS +8194|Journal of Bioeconomics|Biology, Economic; Economics|1387-6996|Tri-annual| |SPRINGER +8195|Journal of Bioenergetics and Biomembranes|Biology & Biochemistry / Bioenergetics; Membranes (Biology); Biological Transport; Cell Membrane; Mitochondria; Membranen; Bio-energetica; Bioénergétique; Membranes (Biologie) / Bioenergetics; Membranes (Biology); Biological Transport; Cell Membrane; Mit|0145-479X|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8196|Journal of Bioethical Inquiry|Social Sciences, general / Bioethical Issues; Bioethics|1176-7529|Tri-annual| |SPRINGER +8197|Journal of Biogeography|Environment/Ecology / Biogeography; Biology; Geography; Biogeografie; Biogéographie|0305-0270|Monthly| |WILEY-BLACKWELL PUBLISHING +8198|Journal of Bioinformatics and Computational Biology|Bioinformatics; Computational biology; Computational Biology|0219-7200|Bimonthly| |IMPERIAL COLLEGE PRESS +8199|Journal of Biolaw & Business| |1095-5127|Quarterly| |JOURNAL BIOLAW & BUSINESS +8200|Journal of Biological & Environmental Sciences| |1307-9530|Tri-annual| |ULUDAG UNIV +8201|Journal of Biological Chemistry|Biology & Biochemistry / Biochemistry|0021-9258|Weekly| |AMER SOC BIOCHEMISTRY MOLECULAR BIOLOGY INC +8202|Journal of Biological Control| |0971-930X|Semiannual| |SOC BIOCONTROL ADVANCEMENT +8203|Journal of Biological Dynamics|Biological models; Biology; Models, Biological; Biological Sciences|1751-3758|Quarterly| |TAYLOR & FRANCIS LTD +8204|Journal of Biological Education|Biology & Biochemistry|0021-9266|Quarterly| |INST BIOLOGY +8205|Journal of Biological Inorganic Chemistry|Chemistry / Bioinorganic chemistry; Chemistry, Bioinorganic / Bioinorganic chemistry; Chemistry, Bioinorganic|0949-8257|Bimonthly| |SPRINGER +8206|Journal of Biological Physics|Biology & Biochemistry / Biophysics; Biofysica|0092-0606|Quarterly| |SPRINGER +8207|Journal of Biological Physics and Chemistry|Biochemical Phenomena; Biophysics|1512-0856|Quarterly| |COLLEGIUM BASILEA +8208|Journal of Biological Regulators and Homeostatic Agents|Biology & Biochemistry|0393-974X|Quarterly| |BIOLIFE SAS +8210|Journal of Biological Research-Thessaloniki|Biology & Biochemistry|1790-045X|Semiannual| |ARISTOTLE UNIV THESSALONIKI +8211|Journal of Biological Rhythms|Biology & Biochemistry / Biological rhythms; Biological Clocks; Circadian Rhythm; Periodicity|0748-7304|Bimonthly| |SAGE PUBLICATIONS INC +8212|Journal of Biological Sciences| |1727-3048|Monthly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +8213|Journal of Biological Systems|Biology & Biochemistry / Biological systems; Biomathematics; System analysis; Biology; Biometry; Medicine; Models, Biological; Models, Theoretical; Systems Theory / Biological systems; Biomathematics; System analysis; Biology; Biometry; Medicine; Models,|0218-3390|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +8214|Journal of Biology-Hefei| |1008-9632|Bimonthly| |HEFEI ASSOC SCI & TECHNOL +8215|Journal of Biomaterials Applications|Clinical Medicine / Biomedical engineering; Biomedical materials; Biocompatible Materials; Biomedical Engineering; Biomaterialen|0885-3282|Quarterly| |SAGE PUBLICATIONS LTD +8216|Journal of Biomaterials Science-Polymer Edition|Chemistry / Polymers; Biomedical materials; Biocompatible Materials|0920-5063|Monthly| |VSP BV +8217|Journal of Biomechanical Engineering-Transactions of the Asme|Engineering / Biomedical engineering; Bioengineering; Biomechanics; Biomedical Engineering|0148-0731|Monthly| |ASME-AMER SOC MECHANICAL ENG +8218|Journal of Biomechanics|Clinical Medicine / Animal mechanics; Biomechanics; Biomechanica; Mécanique animale|0021-9290|Monthly| |ELSEVIER SCI LTD +8219|Journal of Biomedical Informatics|Computer Science / Medical informatics; Medicine; Médecine; Medical Informatics|1532-0464|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8220|Journal of Biomedical Materials Research Part A|Materials Science / Biomedical materials; Biocompatible Materials; Materials Testing|1549-3296|Semimonthly| |WILEY-LISS +8221|Journal of Biomedical Materials Research Part B-Applied Biomaterials|Materials Science / Biomedical materials; Biocompatible Materials; Materials Testing|1552-4973|Bimonthly| |WILEY-LISS +8222|Journal of Biomedical Nanotechnology|Biology & Biochemistry / Nanotechnology; Nanostructures; Biomedical Technology|1550-7033|Quarterly| |AMER SCIENTIFIC PUBLISHERS +8223|Journal of Biomedical Optics|Clinical Medicine / Imaging systems in medicine; Lasers in medicine; Optical fibers in medicine; Biomedical Engineering; Optics; Technology, Medical|1083-3668|Bimonthly| |SPIE-SOC PHOTOPTICAL INSTRUMENTATION ENGINEERS +8224|Journal of Biomedical Science|Clinical Medicine / Medical sciences; Biological Sciences; Medicine; Biomedisch onderzoek|1021-7770|Bimonthly| |BIOMED CENTRAL LTD +8225|Journal of Biomedicine and Biotechnology|Biology & Biochemistry / Medicine; Biology; Biotechnology|1110-7243|Quarterly| |HINDAWI PUBLISHING CORPORATION +8226|Journal of Biomolecular NMR|Biology & Biochemistry / Nuclear magnetic resonance spectroscopy; Biomolecules; Nuclear magnetic resonance; Biopolymers; Magnetic Resonance Spectroscopy|0925-2738|Monthly| |SPRINGER +8227|Journal of Biomolecular Screening|Chemistry / Drugs; Biomolecules; Drug Evaluation, Preclinical; Molecular Biology; Biomoleculen|1087-0571|Quarterly| |SAGE PUBLICATIONS INC +8228|Journal of Biomolecular Structure & Dynamics|Biology & Biochemistry|0739-1102|Bimonthly| |ADENINE PRESS +8229|Journal of Bionic Engineering|Engineering /|1672-6529|Quarterly| |SCIENCE CHINA PRESS +8230|Journal of Biopharmaceutical Statistics|Pharmacology & Toxicology / Pharmacy; Drugs; Biometry; Biopharmaceutics; Pharmacokinetics; Statistics|1054-3406|Bimonthly| |TAYLOR & FRANCIS INC +8231|Journal of Biophotonics|Biology & Biochemistry /|1864-063X|Bimonthly| |WILEY-V C H VERLAG GMBH +8232|Journal of Bioscience and Bioengineering|Biology & Biochemistry / Biology; Bioengineering; Biochemistry; Biotechnology; Microbiology; Biomedical Engineering; Biotechnologie|1389-1723|Monthly| |SOC BIOSCIENCE BIOENGINEERING JAPAN +8233|Journal of Biosciences|Biology & Biochemistry / Biochemistry; Biology; Life sciences; Biologie|0250-5991|Quarterly| |INDIAN ACAD SCIENCES +8234|Journal of Biosocial Science|Social Sciences, general / Eugenics; Social Sciences|0021-9320|Bimonthly| |CAMBRIDGE UNIV PRESS +8235|Journal of Biotechnology|Biology & Biochemistry / Biotechnology; Bioengineering; Biomedical Engineering; Technology; Biotechnologie|0168-1656|Semimonthly| |ELSEVIER SCIENCE BV +8236|Journal of Black Psychology|Psychiatry/Psychology / African Americans; Psychology|0095-7984|Quarterly| |SAGE PUBLICATIONS INC +8237|Journal of Black Studies|Social Sciences, general / African Americans; Blacks|0021-9347|Bimonthly| |SAGE PUBLICATIONS INC +8238|Journal of Bone and Joint Surgery| |0375-9229|Bimonthly| |JOURNAL BONE JOINT SURGERY INC +8239|Journal of Bone and Joint Surgery-American Volume|Clinical Medicine / Bones; Joints; Orthopedics; Surgery; Bot (anatomie); Gewrichten; Chirurgie (geneeskunde)|0021-9355|Monthly| |JOURNAL BONE JOINT SURGERY INC +8240|Journal of Bone and Joint Surgery-British Volume|Clinical Medicine / Bones; Joints; Orthopedics; Surgery; Bot (anatomie); Gewrichten; Chirurgie (geneeskunde)|0301-620X|Monthly| |BRITISH EDITORIAL SOC BONE JOINT SURGERY +8241|Journal of Bone and Mineral Metabolism|Clinical Medicine /|0914-8779|Bimonthly| |SPRINGER TOKYO +8242|Journal of Bone and Mineral Research|Biology & Biochemistry / Bones; Mineral metabolism; Bone Diseases, Metabolic; Bone and Bones; Minerals|0884-0431|Monthly| |JOHN WILEY & SONS INC +8243|Journal of Brain Science| |1341-5301|Quarterly| |P J D PUBLICATIONS LTD +8244|Journal of Breast Cancer|Clinical Medicine /|1738-6756|Quarterly| |KOREAN BREAST CANCER SOC +8245|Journal of Bridge Engineering|Engineering / Bridges|1084-0702|Bimonthly| |ASCE-AMER SOC CIVIL ENGINEERS +8246|Journal of British Cinema and Television|Motion pictures; Television|1743-4521|Tri-annual| |EDINBURGH UNIV PRESS +8247|Journal of British Studies|Social Sciences, general /|0021-9371|Quarterly| |UNIV CHICAGO PRESS +8248|Journal of Broadcasting & Electronic Media|Social Sciences, general / Broadcasting; Telecommunication|0883-8151|Quarterly| |ROUTLEDGE JOURNALS +8249|Journal of Bryology|Plant & Animal Science / Bryology; Bryophytes; Mossen|0373-6687|Quarterly| |MANEY PUBLISHING +8250|Journal of Building Physics|Engineering / Buildings|1744-2591|Quarterly| |SAGE PUBLICATIONS LTD +8251|Journal of Buon|Clinical Medicine|1107-0625|Quarterly| |ZERBINIS MEDICAL PUBL +8252|Journal of Burn Care & Research|Clinical Medicine /|1559-047X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8253|Journal of Business|Economics & Business / Business|0021-9398|Quarterly| |UNIV CHICAGO PRESS +8254|Journal of Business & Economic Statistics|Economics & Business / Economics; Commercial statistics|0735-0015|Quarterly| |AMER STATISTICAL ASSOC +8255|Journal of Business & Industrial Marketing|Economics & Business / Industrial marketing; Marketing / Industrial marketing; Marketing / Industrial marketing; Marketing / Industrial marketing; Marketing|0885-8624|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +8256|Journal of Business and Psychology|Psychiatry/Psychology / Psychology, Industrial|0889-3268|Quarterly| |SPRINGER +8257|Journal of Business and Technical Communication|Social Sciences, general / Business communication; Communication of technical information|1050-6519|Quarterly| |SAGE PUBLICATIONS INC +8258|Journal of Business Economics and Management|Economics & Business / Managerial economics; Industrial management|1611-1699|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +8259|Journal of Business Ethics|Economics & Business / Business ethics; Morale des affaires|0167-4544|Biweekly| |SPRINGER +8260|Journal of Business Finance & Accounting|Economics & Business / Finance; Accounting; Business / Finance; Accounting; Business|0306-686X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8261|Journal of Business Logistics|Economics & Business|0735-3766|Semiannual| |CSCMP-COUNCIL SUPPLY CHAIN MANAGEMENT PROFESSIONALS +8262|Journal of Business of the University of Chicago|Business; Bedrijfskunde; Commerce|0740-9168| | |UNIV CHICAGO PRESS +8263|Journal of Business Research|Economics & Business / Business; Affaires|0148-2963|Monthly| |ELSEVIER SCIENCE INC +8264|Journal of Business Venturing|Economics & Business / Entrepreneurship; Business enterprises; Venture capital; Bedrijfsfinanciering; Entrepreneuriat; Entreprises; Capital à risques|0883-9026|Bimonthly| |ELSEVIER SCIENCE BV +8265|Journal of Business-to-Business Marketing|Economics & Business / Industrial marketing|1051-712X|Quarterly| |HAWORTH PRESS INC +8266|Journal of Camel Practice and Research|Plant & Animal Science|0971-6777|Semiannual| |CAMEL PUBL HOUSE +8267|Journal of Canadian Petroleum Technology|Geosciences /|0021-9487|Monthly| |SPE-SOC PETROLEUM ENGINEERS +8268|Journal of Canadian Studies-Revue D Etudes Canadiennes| |0021-9495|Tri-annual| |TRENT UNIV +8269|Journal of Cancer Education|Clinical Medicine / Cancer; Medical Oncology; Kanker|0885-8195|Quarterly| |SPRINGER +8270|Journal of Cancer Research and Clinical Oncology|Clinical Medicine / Medical Oncology / Medical Oncology|0171-5216|Monthly| |SPRINGER +8271|Journal of Cancer Research and Therapeutics|Clinical Medicine /|0973-1482|Quarterly| |MEDKNOW PUBLICATIONS +8272|Journal of Carbohydrate Chemistry|Chemistry / Carbohydrates; Chemistry|0732-8303|Monthly| |TAYLOR & FRANCIS INC +8273|Journal of Cardiac Failure|Clinical Medicine / Heart failure; Congestive heart failure; Cardiac Output, Low; Heart; Heart Failure, Congestive|1071-9164|Bimonthly| |CHURCHILL LIVINGSTONE INC MEDICAL PUBLISHERS +8274|Journal of Cardiac Surgery|Clinical Medicine / Heart; Cardiac Surgical Procedures|0886-0440|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8275|Journal of Cardiology|Clinical Medicine / Cardiology|0914-5087|Bimonthly| |ELSEVIER IRELAND LTD +8276|Journal of Cardiopulmonary Rehabilitation and Prevention|Clinical Medicine|1932-7501|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8277|Journal of Cardiothoracic and Vascular Anesthesia|Clinical Medicine / Anesthesia in cardiology; Anesthesia; Cardiac Surgical Procedures; Thoracic Surgery; Vascular Surgical Procedures|1053-0770|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +8278|Journal of Cardiothoracic Surgery|Clinical Medicine / Chest; Heart; Cardiovascular Surgical Procedures|1749-8090|Irregular| |BIOMED CENTRAL LTD +8279|Journal of Cardiovascular Electrophysiology|Clinical Medicine / Blood-vessels; Electrophysiology; Heart; Blood Vessels|1045-3873|Monthly| |WILEY-BLACKWELL PUBLISHING +8280|Journal of Cardiovascular Magnetic Resonance|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases; Magnetic Resonance Angiography; Magnetic Resonance Imaging; Cardiologie|1097-6647|Quarterly| |BIOMED CENTRAL LTD +8281|Journal of Cardiovascular Medicine|Clinical Medicine / Cardiovascular Diseases; Cardiology|1558-2027|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +8282|Journal of Cardiovascular Nursing|Social Sciences, general|0889-4655|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8283|Journal of Cardiovascular Pharmacology|Clinical Medicine / Cardiovascular agents; Cardiovascular Agents; Cardiovascular Diseases; Cardiovascular System; Agents cardiovasculaires; Appareil cardiovasculaire; Farmacologie; Hart en bloedvaten|0160-2446|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +8284|Journal of Cardiovascular Pharmacology and Therapeutics|Clinical Medicine / Cardiovascular Agents; Cardiovascular Diseases; Cardiovascular System|1074-2484|Quarterly| |SAGE PUBLICATIONS INC +8285|Journal of Cardiovascular Surgery|Clinical Medicine|0021-9509|Bimonthly| |EDIZIONI MINERVA MEDICA +8286|Journal of Career Assessment|Psychiatry/Psychology / Vocational guidance; Orientation professionnelle|1069-0727|Quarterly| |SAGE PUBLICATIONS INC +8287|Journal of Career Development|Psychiatry/Psychology / Career education|0894-8453|Bimonthly| |SAGE PUBLICATIONS INC +8288|Journal of Caribbean Ornithology| |1544-4953|Tri-annual| |SOC CONSERVATION STUDY CARIBBEAN BIRDS-SCSCB +8289|Journal of Catalysis|Chemistry / Catalysis; Catalyse|0021-9517|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8290|Journal of Cataract and Refractive Surgery|Clinical Medicine / Cataract; Eye; Cataract Extraction; Lenses, Intraocular; Refractive Errors / Cataract; Eye; Cataract Extraction; Lenses, Intraocular; Refractive Errors|0886-3350|Monthly| |ELSEVIER SCIENCE INC +8291|Journal of Cave and Karst Studies|Geosciences /|1090-6924|Tri-annual| |NATL SPELEOLOGICAL SOC +8292|Journal of Cell and Animal Biology| |1996-0867|Monthly| |ACADEMIC JOURNALS +8293|Journal of Cell and Molecular Biology| |1303-3646|Semiannual| |HALIC UNIV +8294|Journal of Cell Biology|Molecular Biology & Genetics / Cytology; Celbiologie; Cytologie|0021-9525|Biweekly| |ROCKEFELLER UNIV PRESS +8295|Journal of Cell Science|Molecular Biology & Genetics / Cytology; Celbiologie; Cellules; Microscopie|0021-9533|Semimonthly| |COMPANY OF BIOLOGISTS LTD +8296|Journal of Cellular and Comparative Physiology|Physiology, Comparative; Cell physiology; Cytology; Physiologie comparée; Cellules|0095-9898|Bimonthly| |WILEY-LISS +8297|Journal of Cellular and Molecular Medicine|Clinical Medicine / Cytology; Medicine; Molecular Biology|1582-1838|Monthly| |WILEY-BLACKWELL PUBLISHING +8298|Journal of Cellular Automata| |1557-5969|Quarterly| |OLD CITY PUBLISHING INC +8299|Journal of Cellular Biochemistry|Molecular Biology & Genetics / Cytochemistry; Molecular biology; Ultrastructure (Biology); Biochemistry; Cytology|0730-2312|Semimonthly| |WILEY-LISS +8300|Journal of Cellular Physiology|Molecular Biology & Genetics / Physiology; Cell physiology; Cytology|0021-9541|Monthly| |WILEY-LISS +8301|Journal of Cellular Plastics|Chemistry / Plastic foams|0021-955X|Bimonthly| |SAGE PUBLICATIONS LTD +8302|Journal of Central European Agriculture| |1332-9049|Quarterly| |UNIV ZAGREB +8303|Journal of Central South University of Technology|Materials Science /|1005-9784|Quarterly| |JOURNAL OF CENTRAL SOUTH UNIV TECHNOLOGY +8304|Journal of Ceramic Processing Research|Materials Science|1229-9162|Quarterly| |KOREAN ASSOC CRYSTAL GROWTH +8305|Journal of Cereal Science|Agricultural Sciences / Grain; Cereal products|0733-5210|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8306|Journal of Cerebral Blood Flow and Metabolism|Neuroscience & Behavior / Brain; Regional blood flow; Cerebrovascular Circulation|0271-678X|Monthly| |NATURE PUBLISHING GROUP +8307|Journal of Cetacean Research and Management| |1561-0713|Quarterly| |INT WHALING COMMISSION +8308|Journal of Changchun University of Science and Technology| |1008-0058|Quarterly| |CHINA INT BOOK TRADING CORP +8309|Journal of Changde Teachers University-Natural Science Edition| |1009-3818|Quarterly| |CHANGDE TEACHERS UNIV +8310|Journal of Chemical and Engineering Data|Chemistry / Chemistry; Chemical engineering|0021-9568|Bimonthly| |AMER CHEMICAL SOC +8311|Journal of Chemical Crystallography|Chemistry / Crystallography; Spectrum analysis; Kristallografie|1074-1542|Monthly| |SPRINGER/PLENUM PUBLISHERS +8312|Journal of Chemical Ecology|Environment/Ecology / Environmental chemistry; Chemistry; Ecology; Pheromones; Ecologie; Biochemie; Chimie de l'environnement; Chimie; Écologie; Phéromones|0098-0331|Monthly| |SPRINGER +8313|Journal of Chemical Education|Chemistry /|0021-9584|Monthly| |AMER CHEMICAL SOC +8314|JOURNAL OF CHEMICAL ENGINEERING OF JAPAN|Chemistry / Chemical engineering; Chemical industry; Génie chimique; Industries chimiques|0021-9592|Monthly| |SOC CHEMICAL ENG JAPAN +8315|Journal of Chemical Information and Modeling|Chemistry / Chemical literature; Communication in chemistry; Chemistry; Informatics; Models, Molecular; Chemie; Computermodellen|1549-9596|Bimonthly| |AMER CHEMICAL SOC +8316|Journal of Chemical Neuroanatomy|Neuroscience & Behavior / Neuroanatomy; Neurochemistry; Nervous System; Neuroanatomie|0891-0618|Bimonthly| |ELSEVIER SCIENCE BV +8317|Journal of Chemical Physics|Chemistry / Chemistry; Physics; Chemistry, Physical and theoretical; Fysische chemie; Chimie; Physique; Chimie physique et théorique|0021-9606|Weekly| |AMER INST PHYSICS +8318|Journal of Chemical Research|Chemistry; Research; Chemie; Chimie|0308-2342|Monthly| |SCIENCE REVIEWS 2000 LTD +8319|Journal of Chemical Sciences|Chemistry / Chemistry|0253-4134|Bimonthly| |INDIAN ACAD SCIENCES +8320|Journal of Chemical Technology and Biotechnology|Chemistry / Biotechnology; Chemistry, Technical; Chemical engineering; Industries; Chemical Engineering; Chemical Industry /|0268-2575|Monthly| |JOHN WILEY & SONS LTD +8321|Journal of Chemical Theory and Computation|Chemistry / Quantum chemistry; Statistical mechanics; Chemistry; Biochemistry; Molecular Biology; Biomechanics; Chimie quantique; Mécanique statistique|1549-9618|Monthly| |AMER CHEMICAL SOC +8322|Journal of Chemical Thermodynamics|Chemistry / Thermodynamics; Thermochemistry|0021-9614|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8323|Journal of Chemometrics|Chemistry / Chemistry; Chemie; Meetmethoden|0886-9383|Bimonthly| |JOHN WILEY & SONS LTD +8324|Journal of Chemotherapy|Clinical Medicine|1120-009X|Bimonthly| |ESIFT SRL +8325|Journal of Chengdu University of Technology| |1005-9539|Quarterly| |CHINA INT BOOK TRADING CORP +8326|Journal of Child & Adolescent Substance Abuse|Social Sciences, general / Drug abuse; Teenagers; Substance-Related Disorders; Adolescent; Child; Infant|1067-828X|Quarterly| |HAWORTH PRESS INC +8327|Journal of Child and Adolescent Psychopharmacology|Psychiatry/Psychology / Adolescent psychopathology; Child psychopathology; Behavior disorders in children; Emotional problems of teenagers; Psychotropic drugs; Adolescent Behavior; Child Behavior; Mental Disorders; Psychotropic Drugs; Adolescent; Child; |1044-5463|Quarterly| |MARY ANN LIEBERT INC +8328|Journal of Child and Family Studies|Social Sciences, general / Child psychiatry; Family; Child mental health; Child mental health services; Child Behavior Disorders; Child Psychology; Community Mental Health Services; Family Therapy|1062-1024|Bimonthly| |SPRINGER +8329|Journal of Child Health Care|Pediatric nursing; Child health services; Child Health Services; Pediatric Nursing|1367-4935|Quarterly| |SAGE PUBLICATIONS LTD +8330|Journal of Child Language|Psychiatry/Psychology / Children; Language; Language Development; Child; Infant; Enfants; Kindertaal; Taalverwerving|0305-0009|Tri-annual| |CAMBRIDGE UNIV PRESS +8331|Journal of Child Neurology|Neuroscience & Behavior / Nervous System Diseases; Child; Infant; Neurologie; Kinderen|0883-0738|Quarterly| |SAGE PUBLICATIONS INC +8332|Journal of Child Psychology and Psychiatry|Psychiatry/Psychology / Child psychology; Child psychiatry; Child Psychology; Child Psychiatry; Enfants; Kinder- en jeugdpsychiatrie; Kinderpsychologie|0021-9630|Monthly| |WILEY-BLACKWELL PUBLISHING +8333|Journal of China Medical University| |0258-4646|Bimonthly| |CHINA MEDICAL UNIV +8334|Journal of China Pharmaceutical University| |1000-5048|Bimonthly| |CHINA PHARMACEUTICAL UNIV +8335|Journal of China Pharmacy| |1001-0408|Bimonthly| |CHONGQUING BUREAU PUBLIC HEALTH +8336|Journal of Chinese Linguistics| |0091-3723|Semiannual| |JOURNAL CHINESE LINGUISTICS +8337|Journal of Chinese Philosophy|Philosophy, Chinese; Philosophie chinoise; Chinese filosofie|0301-8121|Quarterly| |WILEY-BLACKWELL PUBLISHING +8338|Journal of Chromatographic Science|Chemistry|0021-9665|Monthly| |PRESTON PUBL INC +8339|Journal of Chromatography A|Chemistry / Chromatographic analysis; Electrophoresis; Chromatography; Chromatographie; Électrophorèse / Chromatographic analysis; Electrophoresis; Chromatography; Chromatographie; Électrophorèse|0021-9673|Weekly| |ELSEVIER SCIENCE BV +8340|Journal of Chromatography B-Analytical Technologies in the Biomedical and Life Sciences|Chemistry / Chromatographic analysis; Biology; Medicine; Biomolecules; Chromatography; Electrophoresis; Spectrum Analysis; Chromatographie; Chromatografie; Biomedisch onderzoek / Chromatographic analysis; Biology; Medicine; Biomolecules; Chromatography; |1570-0232|Semimonthly| |ELSEVIER SCIENCE BV +8341|Journal of Church and State| |0021-969X|Tri-annual| |BAYLOR UNIV +8342|Journal of Circadian Rhythms|Circadian rhythms; Circadian Rhythm|1740-3391|Irregular| |BIOMED CENTRAL LTD +8343|Journal of Circuits Systems and Computers|Engineering / Electronics; Electronic circuits; Computers; Systems engineering / Electronics; Electronic circuits; Computers; Systems engineering|0218-1266|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +8344|Journal of Civil Engineering and Management|Engineering / Civil engineering|1392-3730|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +8345|Journal of Classification|Social Sciences, general / Multivariate analysis; Classification; Numerical taxonomy; Classificatie; Statistiek|0176-4268|Semiannual| |SPRINGER +8346|Journal of Cleaner Production|Engineering / Factory and trade waste; Manufactures; Industrie; Productieprocessen; Milieuhygiëne|0959-6526|Semimonthly| |ELSEVIER SCI LTD +8347|Journal of Climate|Geosciences / Climatology; Climatic changes; Meteorology|0894-8755|Semimonthly| |AMER METEOROLOGICAL SOC +8348|Journal of Clinical and Experimental Neuropsychology|Clinical Medicine / Neuropsychology; Psychophysiology; Neuropsychologie / Neuropsychology; Psychophysiology; Neuropsychologie|1380-3395|Bimonthly| |TAYLOR & FRANCIS INC +8349|Journal of Clinical Anesthesia|Clinical Medicine / Anesthesia; Anesthesiology; Anesthesie|0952-8180|Bimonthly| |ELSEVIER SCIENCE INC +8350|Journal of Clinical Apheresis|Clinical Medicine / Hemapheresis; Blood; Cell separation; Leukapheresis; Plasmapheresis; Blood Transfusion, Autologous; Cell Separation|0733-2459|Bimonthly| |WILEY-LISS +8351|Journal of Clinical Biochemistry and Nutrition|Biology & Biochemistry / Biochemistry; Nutrition; Metabolic Diseases; Nutrition Disorders|0912-0009|Bimonthly| |JOURNAL CLINICAL BIOCHEMISTRY & NUTRITION +8352|Journal of Clinical Child and Adolescent Psychology|Psychiatry/Psychology / Child psychology; Child psychiatry; Adolescent psychology; Adolescent psychiatry; Enfants; Adolescent Psychology; Mental Disorders; Adolescent; Child Psychology; Psychology, Clinical; Child; Klinische psychologie; Kinderen; Adoles|1537-4416|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +8353|Journal of Clinical Densitometry|Clinical Medicine / Absorptiometry, Photon; Bone Density; Osteoporosis|1094-6950|Quarterly| |ELSEVIER SCIENCE INC +8354|Journal of Clinical Endocrinology| |0368-1610|Annual| |WILLIAMS & WILKINS +8355|Journal of Clinical Endocrinology & Metabolism|Clinical Medicine / Endocrinology; Metabolism; Endocrinologie / Endocrinology; Metabolism; Endocrinologie|0021-972X|Monthly| |ENDOCRINE SOC +8356|Journal of Clinical Epidemiology|Clinical Medicine / Chronic diseases; Epidemiology; Maladies chroniques; Epidemiologie; Klinische geneeskunde|0895-4356|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +8357|Journal of Clinical Ethics|Social Sciences, general|1046-7890|Quarterly| |UNIV PUBLISHING GROUP +8358|Journal of Clinical Gastroenterology|Clinical Medicine / Gastroenterology; Digestive organs|0192-0790|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +8359|Journal of Clinical Hypertension|Clinical Medicine / Hypertension / Hypertension|1524-6175|Monthly| |WILEY-BLACKWELL PUBLISHING +8360|Journal of Clinical Immunology|Immunology / Immunologic diseases; Immunopathology; Allergy and Immunology; Immunologie; Klinische geneeskunde|0271-9142|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8361|Journal of Clinical Investigation|Clinical Medicine / Medicine, Experimental; Medicine; Diagnostiek|0021-9738|Monthly| |AMER SOC CLINICAL INVESTIGATION INC +8362|Journal of Clinical Laboratory Analysis|Clinical Medicine / Diagnosis, Laboratory; Medical laboratory technology; Laboratory Techniques and Procedures; Technology, Medical|0887-8013|Bimonthly| |WILEY-LISS +8363|Journal of Clinical Ligand Assay|Clinical Medicine|1081-1672|Quarterly| |CLINICAL LIGAND ASSAY SOC +8364|Journal of Clinical Lipidology|Pharmacology & Toxicology /|1933-2874|Bimonthly| |ELSEVIER SCIENCE INC +8365|Journal of Clinical Microbiology|Clinical Medicine / Diagnostic microbiology; Microbiology|0095-1137|Monthly| |AMER SOC MICROBIOLOGY +8366|Journal of Clinical Neurology|Clinical Medicine / Nervous System Diseases; Neurology|1738-6586|Quarterly| |KOREAN NEUROLOGICAL ASSOC +8367|Journal of Clinical Neurophysiology|Clinical Medicine / Electroencephalography|0736-0258|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8368|Journal of Clinical Neuroscience|Clinical Medicine / Brain; Neurosciences; Nervous system; Neurosurgical Procedures; Neurochirurgie|0967-5868|Monthly| |ELSEVIER SCI LTD +8369|Journal of Clinical Nursing|Social Sciences, general / Nursing; Clinical medicine; Nursing Care; Verpleegkunde|0962-1067|Semimonthly| |WILEY-BLACKWELL PUBLISHING +8370|Journal of Clinical Oncology|Clinical Medicine / Oncology; Cancer; Medical Oncology|0732-183X|Biweekly| |AMER SOC CLINICAL ONCOLOGY +8371|Journal of Clinical Pathology|Clinical Medicine / Pathology; Pathology, Clinical; Pathology, Molecular; Klinische geneeskunde; Pathologie|0021-9746|Monthly| |B M J PUBLISHING GROUP +8372|Journal of Clinical Pediatric Dentistry|Clinical Medicine|1053-4628|Quarterly| |JOURNAL PEDODONTICS INC +8373|Journal Of Clinical Periodontology|Clinical Medicine / Periodontics|0303-6979|Monthly| |WILEY-BLACKWELL PUBLISHING +8374|Journal of Clinical Pharmacology|Clinical Medicine / Pharmacology; Pharmaceutical Preparations|0091-2700|Monthly| |SAGE PUBLICATIONS INC +8375|Journal of Clinical Pharmacy and Therapeutics|Clinical Medicine / Clinical pharmacology; Chemotherapy; Hospital pharmacies; Hospitals; Pharmacy; Therapeutics|0269-4727|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8376|Journal of Clinical Psychiatry|Psychiatry/Psychology /|0160-6689|Monthly| |PHYSICIANS POSTGRADUATE PRESS +8377|Journal of Clinical Psychology|Psychiatry/Psychology / Psychiatry; Psychology, Clinical; Mental Disorders|0021-9762|Monthly| |JOHN WILEY & SONS INC +8378|Journal of Clinical Psychology in Medical Settings|Psychiatry/Psychology / Clinical psychology; Medicine and psychology; Behavioral Medicine; Disease; Psychology, Medical|1068-9583|Quarterly| |SPRINGER/PLENUM PUBLISHERS +8379|Journal of Clinical Psychopharmacology|Clinical Medicine / Psychopharmacology; Psychopharmacologie|0271-0749|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8380|Journal of Clinical Research| |1369-5207|Irregular| |BROOKWOOD MEDICAL PUBLICATIONS +8381|Journal of Clinical Sleep Medicine|Neuroscience & Behavior|1550-9389|Bimonthly| |AMER ACAD SLEEP MEDICINE +8382|Journal of Clinical Ultrasound|Clinical Medicine / Ultrasonics in medicine; Ultrasonography; Radiologie|0091-2751|Monthly| |JOHN WILEY & SONS INC +8383|Journal of Clinical Virology|Clinical Medicine / Diagnostic virology; Virus Diseases; Viruses|1386-6532|Monthly| |ELSEVIER SCIENCE BV +8384|Journal of Cluster Science|Chemistry / Metal crystals|1040-7278|Quarterly| |SPRINGER/PLENUM PUBLISHERS +8385|Journal of Coastal Conservation| |1400-0350|Semiannual| |SPRINGER +8386|Journal of Coastal Research|Environment/Ecology / Coasts; Coastal ecology; Kusten|0749-0208|Bimonthly| |COASTAL EDUCATION & RESEARCH FOUNDATION +8387|Journal of Coatings Technology and Research|Materials Science / Coatings; Paint; Varnish and varnishing|1547-0091|Quarterly| |SPRINGER +8388|Journal of Cognition and Development|Psychiatry/Psychology / Cognition; Child Development; Concept Formation; Human Development; Visual Perception; Cognitieve ontwikkeling|1524-8372|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +8389|Journal of Cognitive and Behavioral Psychotherapies|Psychiatry/Psychology|1584-7101|Semiannual| |INT INST ADVANCED STUDIES PSYCHOTHERAPY & APPLIED MENTAL HEALTH +8390|Journal of Cognitive Neuroscience|Neuroscience & Behavior / Cognitive neuroscience; Neurosciences; Brain; Cognition; Neuropsychologie; Cognitie|0898-929X|Bimonthly| |M I T PRESS +8391|Journal of Cold Regions Engineering|Engineering / Civil engineering|0887-381X|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +8392|Journal of College Student Development|Psychiatry/Psychology /|0897-5264|Bimonthly| |JOHNS HOPKINS UNIV PRESS +8393|Journal of Colloid and Interface Science|Chemistry / Colloids; Surface chemistry; Surface Properties|0021-9797|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8394|Journal of Combinatorial Chemistry|Chemistry / Combinatorial chemistry; Chemistry, Pharmaceutical; Drug Design; Gene Library; Pharmaceutical Preparations; Synthese (chemie)|1520-4766|Bimonthly| |AMER CHEMICAL SOC +8395|Journal of Combinatorial Designs|Mathematics / Combinatorial designs and configurations|1063-8539|Bimonthly| |JOHN WILEY & SONS INC +8396|Journal of Combinatorial Optimization|Mathematics / Combinatorial optimization; Combinatieleer; Optimaliseren|1382-6905|Bimonthly| |SPRINGER +8397|Journal of Combinatorial Theory Series A|Mathematics / Combinatorial analysis; Combinatieleer; Analyse combinatoire|0097-3165|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8398|Journal of Combinatorial Theory Series B|Mathematics / Graph theory; Matroids; Combinatorial analysis|0095-8956|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8399|Journal of Commonwealth Literature|English literature; Letterkunde; Engels|0021-9894|Quarterly| |SAGE PUBLICATIONS LTD +8400|Journal of Communicable Diseases| |0019-5138|Quarterly| |INDIAN SOC MALARIA AND OTHER COMMUNICABLE DISEASES +8401|Journal of Communication|Social Sciences, general / Communication; Communicatie; Communications research and methodology|0021-9916|Quarterly| |WILEY-BLACKWELL PUBLISHING +8402|Journal of Communication Disorders|Social Sciences, general / Communicative disorders; Communication Disorders; Communicatiestoornissen; Communication, Troubles de la|0021-9924|Bimonthly| |ELSEVIER SCIENCE INC +8403|Journal of Communications and Networks|Computer Science|1229-2370|Quarterly| |KOREAN INST COMMUNICATIONS SCIENCES (K I C S) +8404|Journal of Communications Technology and Electronics|Computer Science / Electronics; Radio|1064-2269|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +8405|Journal of Community & Applied Social Psychology|Psychiatry/Psychology / Social psychology; Social service; Community psychology; Interpersonal relations; Community Mental Health Services; Psychology, Social; Social Behavior|1052-9284|Quarterly| |JOHN WILEY & SONS LTD +8406|Journal of Community Health|Social Sciences, general / Public health; Community health services; Community Medicine; Delivery of Health Care; Preventive Health Services; Santé publique; Santé, Services communautaires de|0094-5145|Bimonthly| |SPRINGER +8407|Journal of Community Health Nursing|Community health nursing; Community Health Nursing; Wijkverpleging|0737-0016|Quarterly| |ROUTLEDGE JOURNALS +8408|Journal of Community Psychology|Psychiatry/Psychology / Clinical psychology; Social psychiatry; Community Mental Health Services; Psychologie clinique; Psychiatrie sociale; Psychiatrie communautaire|0090-4392|Bimonthly| |JOHN WILEY & SONS INC +8409|Journal of Comparative and Physiological Psychology|Psychology, Comparative; Animal behavior; Psychophysiology; Psychologie comparée; Psychophysiologie|0021-9940|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +8410|Journal of Comparative Economics|Economics & Business / Comparative economics|0147-5967|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8411|Journal of Comparative Family Studies|Social Sciences, general|0047-2328|Quarterly| |J COMPARATIVE FAMILY STUDIES +8412|Journal of Comparative Germanic Linguistics|Social Sciences, general / Germanic languages; Linguistics / Germanic languages; Linguistics|1383-4924|Tri-annual| |SPRINGER +8413|Journal of Comparative Neurology|Neuroscience & Behavior / Nervous system; Comparative neurobiology; Neurology / Neurology; Comparative neurobiology; Medicine|0021-9967|Weekly| |WILEY-LISS +8414|Journal of Comparative Neurology and Psychology|Neurology; Neurologie|0092-7015|Bimonthly| |WILEY-LISS +8415|Journal of Comparative Pathology|Plant & Animal Science / Veterinary pathology; Pathology, Comparative; Pathology, Veterinary|0021-9975|Bimonthly| |ELSEVIER SCI LTD +8416|Journal of Comparative Physiology A-Neuroethology Sensory Neural and Behavioral Physiology|Biology & Biochemistry / Physiology, Comparative; Neuropsychology; Animal behavior; Neurophysiology; Psychophysiology; Behavior, Animal; Nervous System Physiology; Sense Organs; Neurophysiologie; Psychophysiologie; Physiologie comparée; Vergelijkende fys|0340-7594|Monthly| |SPRINGER +8417|Journal of Comparative Physiology B-Biochemical Systemic and Environmentalphysiology|Physiology, Comparative; Physiology; Animals, Laboratory / Physiology, Comparative; Physiology; Animals, Laboratory|0174-1578|Bimonthly| |SPRINGER HEIDELBERG +8418|Journal of Comparative Psychology|Neuroscience & Behavior / Psychology, Comparative; Animal behavior; Diergedrag; Psychofysiologie; Psychophysiologie; Neurologie|0735-7036|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8419|Journal of Complementary Medicine|Clinical Medicine|1446-8263|Bimonthly| |AUSTRALIAN PHARMACEUTICAL PUBLISHING CO LTD +8420|Journal of Complexity|Mathematics / Computational complexity|0885-064X|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8421|Journal of Composite Materials|Materials Science / Composite materials|0021-9983|Semimonthly| |SAGE PUBLICATIONS LTD +8422|Journal of Composites for Construction|Materials Science / Composite materials; Composite construction; Fibrous composites; Bouwmaterialen|1090-0268|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +8423|Journal of Computational Acoustics|Physics / Acoustical engineering; Sound; Underwater acoustics|0218-396X|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +8424|Journal of Computational Analysis and Applications|Computer Science / Numerical analysis|1521-1398|Quarterly| |EUDOXUS PRESS +8425|Journal of Computational and Applied Mathematics|Mathematics / Mathematics; Numerical analysis|0377-0427|Semimonthly| |ELSEVIER SCIENCE BV +8426|Journal of Computational and Graphical Statistics|Mathematics / Mathematical statistics|1061-8600|Quarterly| |AMER STATISTICAL ASSOC +8427|Journal of Computational and Nonlinear Dynamics|Engineering / Dynamics; Nonlinear theories; Machinery, Dynamics of|1555-1423|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8428|Journal of Computational and Theoretical Nanoscience|Materials Science / Nanoscience; Nanotechnology|1546-1955|Monthly| |AMER SCIENTIFIC PUBLISHERS +8429|Journal of Computational Biology|Biology & Biochemistry / Molecular biology; Computer Simulation; Information Systems; Medical Informatics Computing; Molecular Biology|1066-5277|Bimonthly| |MARY ANN LIEBERT INC +8430|Journal of Computational Chemistry|Chemistry / Chemistry; Computer Simulation; Models, Chemical|0192-8651|Semimonthly| |JOHN WILEY & SONS INC +8431|Journal of Computational Finance|Economics & Business|1460-1559|Quarterly| |INCISIVE MEDIA +8432|Journal of Computational Mathematics|Mathematics /|0254-9409|Bimonthly| |VSP BV +8433|Journal of Computational Neuroscience|Neuroscience & Behavior / Nervous system; Neural networks (Neurobiology); Computer Simulation; Models, Neurological; Neurosciences|0929-5313|Bimonthly| |SPRINGER +8434|Journal of Computational Physics|Physics / Mathematical physics; Physics; Physique mathématique; Physique|0021-9991|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8435|Journal of Computer and System Sciences|Computer Science / Electronic digital computers; Machine theory; System analysis|0022-0000|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8436|Journal of Computer and Systems Sciences International|Computer Science / Computers; Systems engineering|1064-2307|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +8437|Journal of Computer Assisted Learning|Social Sciences, general / Computer-assisted instruction; Computergestuurd onderwijs; Enseignement assisté par ordinateur|0266-4909|Quarterly| |WILEY-BLACKWELL PUBLISHING +8438|Journal of Computer Assisted Tomography|Clinical Medicine / Tomography|0363-8715|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8439|Journal of Computer Information Systems|Computer Science|0887-4417|Quarterly| |INT ASSOC COMPUTER INFO SYSTEM +8440|Journal of Computer Science and Technology|Computer Science / Computer science; Electronic data processing|1000-9000|Bimonthly| |SCIENCE CHINA PRESS +8441|Journal of Computer-Aided Molecular Design|Chemistry / Molecules; Drugs; Computer-aided design; Developmental pharmacology; Computer Simulation; Molecular Biology; Molecular Conformation|0920-654X|Bimonthly| |SPRINGER +8442|Journal of Computer-Mediated Communication|Computer Science / Telematics; Computer networks; Communication|1083-6101|Quarterly| |WILEY-BLACKWELL PUBLISHING +8443|Journal of Computing and Information Science in Engineering|Engineering / Computer-aided engineering; Engineering design; Mechanical engineering; Production engineering|1530-9827|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8444|Journal of Computing in Civil Engineering|Engineering / Civil engineering; Computer-aided engineering|0887-3801|Bimonthly| |ASCE-AMER SOC CIVIL ENGINEERS +8445|Journal of Conchology|Plant & Animal Science|0022-0019|Semiannual| |CONCHOLOG SOC GR BRIT IRELAND COURTAULD INST BIOCHEMISTRY +8446|Journal of Conflict Resolution|Social Sciences, general / War and society; Peace; Arbitration, International; Guerre et société; Paix; Arbitrage international|0022-0027|Bimonthly| |SAGE PUBLICATIONS INC +8447|Journal of Consciousness Studies|Social Sciences, general|1355-8250|Monthly| |IMPRINT ACADEMIC +8448|Journal of Construction Engineering and Management-Asce|Engineering / Civil engineering; Building; Construction industry; Génie civile|0733-9364|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +8449|Journal of Constructional Steel Research|Engineering / Steel, Structural; Building, Iron and steel|0143-974X|Monthly| |ELSEVIER SCI LTD +8450|Journal of Constructivist Psychology|Psychiatry/Psychology / Personal construct theory; Constructivism (Psychology); Personal Construct Theory; Personnalité; Construits personnels, Théorie des|1072-0537|Quarterly| |TAYLOR & FRANCIS INC +8451|Journal of Consulting and Clinical Psychology|Psychiatry/Psychology / Clinical psychology; Psychology; Psychology, Clinical; Klinische psychologie; Psychologie clinique; Psychologie|0022-006X|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +8452|Journal of Consulting Psychology|Clinical psychology; Psychology; Psychology, Clinical; Klinische psychologie; Psychologie clinique; Psychologie|0095-8891|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +8453|Journal of Consumer Affairs|Economics & Business / Consumer education; Consommateurs; Consommation (Économie politique)|0022-0078|Semiannual| |WILEY-BLACKWELL PUBLISHING +8454|Journal of Consumer Culture|Social Sciences, general / Consumption (Economics); Consumers; Consumptiemaatschappij; Consumentisme; Sociale identiteit|1469-5405|Tri-annual| |SAGE PUBLICATIONS INC +8455|Journal of Consumer Marketing|Marketing|0736-3761|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +8456|Journal of Consumer Psychology|Psychiatry/Psychology / Consumer behavior; Consumption (Economics)|1057-7408|Quarterly| |ELSEVIER SCIENCE INC +8457|Journal of Consumer Research|Economics & Business / Consumer behavior; Motivation research (Marketing)|0093-5301|Quarterly| |UNIV CHICAGO PRESS +8458|Journal of Contaminant Hydrology|Environment/Ecology / Groundwater; Water Pollution|0169-7722|Monthly| |ELSEVIER SCIENCE BV +8459|Journal of Contemporary Asia|Social Sciences, general /|0047-2336|Quarterly| |ROUTLEDGE JOURNALS +8460|Journal of Contemporary China|Social Sciences, general /|1067-0564|Quarterly| |ROUTLEDGE JOURNALS +8461|Journal of Contemporary Ethnography|Social Sciences, general / Sociology, Urban; Urban anthropology; Anthropology, Cultural; Urban Population|0891-2416|Bimonthly| |SAGE PUBLICATIONS INC +8462|Journal of Contemporary History|Social Sciences, general / History, Modern|0022-0094|Quarterly| |SAGE PUBLICATIONS LTD +8463|Journal of Contemporary Mathematical Analysis-Armenian Academy of Sciences|Mathematics / Mathematical analysis|1068-3623|Bimonthly| |ALLERTON PRESS INC +8464|Journal of Contemporary Physics-Armenian Academy of Sciences|Physics / Physics|1068-3372|Bimonthly| |ALLERTON PRESS INC +8465|Journal of Continuing Education in the Health Professions|Social Sciences, general / Medicine; Éducation permanente; Allied Health Personnel; Education, Continuing; Health Occupations|0894-1912|Quarterly| |JOHN WILEY & SONS INC +8466|Journal of Controlled Release|Pharmacology & Toxicology / Drugs; Controlled release preparations; Delayed-Action Preparations; Dosage Forms; Pharmaceutical Preparations; Médicaments-retard; Biodégradation; Geneesmiddelen; Geprogrammeerde toediening|0168-3659|Semimonthly| |ELSEVIER SCIENCE BV +8467|Journal of Convex Analysis|Mathematics|0944-6532|Semiannual| |HELDERMANN VERLAG +8468|Journal of Coordination Chemistry|Chemistry / Coordination compounds|0095-8972|Semimonthly| |TAYLOR & FRANCIS LTD +8469|Journal of Corporate Finance|Economics & Business / Corporations; Sociétés; Entreprises|0929-1199|Quarterly| |ELSEVIER SCIENCE BV +8470|Journal of Cosmetic and Laser Therapy|Clinical Medicine / Skin; Surgery, Plastic; Laser Surgery; Reconstructive Surgical Procedures|1476-4172|Quarterly| |INFORMA HEALTHCARE-SWEDEN +8471|Journal of Cosmetic Science|Clinical Medicine|1525-7886|Bimonthly| |SOC COSMETIC CHEMISTS +8472|Journal of Cosmology and Astroparticle Physics|Space Science /|1475-7516|Monthly| |IOP PUBLISHING LTD +8473|Journal of Counseling and Development|Psychiatry/Psychology|0748-9633|Quarterly| |AMER COUNSELING ASSOC +8474|Journal of Counseling Psychology|Psychiatry/Psychology / Counseling psychology; Counseling; Psychology, Applied|0022-0167|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8475|Journal of Cranio-Maxillofacial Surgery|Clinical Medicine / Skull; Maxilla; Face; Surgery, Plastic; Surgery, Oral|1010-5182|Bimonthly| |CHURCHILL LIVINGSTONE +8476|Journal of Craniofacial Surgery|Clinical Medicine / Face; Skull; Facial bones; Facial Bones; Surgery, Plastic|1049-2275|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8477|Journal of Creative Behavior|Psychiatry/Psychology|0022-0175|Quarterly| |CREATIVE EDUCATION FOUNDATION INC +8478|Journal of Credit Risk|Economics & Business|1744-6619|Quarterly| |INCISIVE MEDIA +8479|Journal of Criminal Justice|Social Sciences, general / Criminal justice, Administration of|0047-2352|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +8480|Journal of Criminal Law & Criminology|Social Sciences, general / Criminal law; Crime; Criminology; Legislation; Législation; Droit pénal; Criminalité|0091-4169|Quarterly| |NORTHWESTERN UNIV +8481|Journal of Criminal Law Criminology and Police Studies|Criminal law; Crime; Police; Criminology; Legislation; Criminologie; Politie; Strafrecht; Législation|0022-0205|Irregular| |NORTHWESTERN UNIV SCHOOL LAW +8482|Journal of Critical Care|Clinical Medicine / Critical care medicine; Critical Care; Intensive care|0883-9441|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +8483|Journal of Crohns & Colitis|Clinical Medicine / Inflammatory bowel diseases; Inflammatory Bowel Diseases|1873-9946|Quarterly| |ELSEVIER SCIENCE BV +8484|Journal of Cross-Cultural Psychology|Psychiatry/Psychology / Ethnopsychology; Cross-Cultural Comparison; Psychology; Ethnopsychologie; Cross-culturele psychologie; Étude transculturelle; Relations interculturelles|0022-0221|Bimonthly| |SAGE PUBLICATIONS INC +8485|Journal of Crustacean Biology|Plant & Animal Science / Crustacea|0278-0372|Quarterly| |CRUSTACEAN SOC +8486|Journal of Cryptology|Computer Science / Cryptography|0933-2790|Quarterly| |SPRINGER +8487|Journal of Crystal Growth|Chemistry /|0022-0248|Biweekly| |ELSEVIER SCIENCE BV +8488|Journal of Cultural Economics|Economics & Business / Arts and society; Arts; Kunsthandel; Histoire économique; Histoire sociale; Culture|0885-2545|Quarterly| |SPRINGER +8489|Journal of Cultural Heritage|Social Sciences, general /|1296-2074|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +8490|Journal of Curriculum Studies|Social Sciences, general / Education / Education|0022-0272|Bimonthly| |ROUTLEDGE JOURNALS +8491|Journal of Cutaneous Medicine and Surgery|Clinical Medicine / / Dermatology; Skin; Skin Diseases; Dermatologie; Peau / Dermatology; Skin; Skin Diseases; Dermatologie; Peau / Dermatology; Skin; Skin Diseases; Dermatologie; Peau|1203-4754|Bimonthly| |B C DECKER INC +8492|Journal of Cutaneous Pathology|Clinical Medicine / Skin; Dermatology|0303-6987|Monthly| |WILEY-BLACKWELL PUBLISHING +8493|Journal of Cystic Fibrosis|Clinical Medicine / Cystic Fibrosis|1569-1993|Quarterly| |ELSEVIER SCIENCE BV +8494|Journal of Cytology|Biology & Biochemistry /|0970-9371|Quarterly| |MEDKNOW PUBLICATIONS +8495|Journal of Dairy Research|Agricultural Sciences / Dairy Products; Dairying; Industrie laitière / Dairy Products; Dairying; Industrie laitière|0022-0299|Quarterly| |CAMBRIDGE UNIV PRESS +8496|Journal of Dairy Science|Agricultural Sciences / Dairying; Dairy; Industrie laitière|0022-0302|Monthly| |ELSEVIER SCIENCE INC +8497|Journal of Danish Archaeology| |0108-464X|Annual| |ODENSE UNIV PRESS +8498|Journal of Database Management|Computer Science /|1063-8016|Quarterly| |IGI PUBL +8499|Journal of Deaf Studies and Deaf Education|Social Sciences, general / Deafness; Deaf; Surdité; Hearing Impaired Persons; Education|1081-4159|Quarterly| |OXFORD UNIV PRESS +8500|Journal of Democracy|Social Sciences, general /|1045-5736|Quarterly| |JOHNS HOPKINS UNIV PRESS +8501|Journal of Dental Education|Clinical Medicine|0022-0337|Monthly| |AMER DENTAL EDUCATION ASSOC +8502|Journal of Dental Research|Clinical Medicine /|0022-0345|Monthly| |SAGE PUBLICATIONS INC +8503|Journal of Dental Sciences|Clinical Medicine /|1991-7902|Quarterly| |ASSOC DENTAL SCI REPUBLIC CHINA +8504|Journal of Dentistry|Clinical Medicine / Dentistry; Tandheelkunde; Dentisterie|0300-5712|Bimonthly| |ELSEVIER SCI LTD +8505|Journal of Derivatives|Economics & Business /|1074-1240|Quarterly| |INST INVESTOR INC +8506|Journal of Dermatological Science|Clinical Medicine / Dermatology; Skin; Skin Diseases; Huidziekten|0923-1811|Monthly| |ELSEVIER IRELAND LTD +8507|Journal of Dermatological Treatment|Clinical Medicine / Skin; Dermatology; Skin Diseases; Dermatologie; Behandeling|0954-6634|Bimonthly| |TAYLOR & FRANCIS LTD +8508|Journal of Dermatology|Clinical Medicine / Dermatology|0385-2407|Monthly| |WILEY-BLACKWELL PUBLISHING +8509|Journal of Development Economics|Economics & Business / Economic development|0304-3878|Bimonthly| |ELSEVIER SCIENCE BV +8510|Journal of Development Studies|Social Sciences, general / Economic development; Economic history; Ontwikkelingseconomie; Economische sociologie; Histoire économique; Développement économique; DEVELOPMENT / Economic development; Economic history; Ontwikkelingseconomie; Economische soci|0022-0388|Bimonthly| |ROUTLEDGE JOURNALS +8511|Journal of Developmental and Behavioral Pediatrics|Psychiatry/Psychology / Pediatrics; Child development; Child psychiatry; Child development deviations; Child Behavior; Child Development|0196-206X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8512|Journal of Developmental and Physical Disabilities|Social Sciences, general / People with disabilities; Disabled Persons; Mental Retardation; Geestelijk gehandicapten; Lichamelijk gehandicapten; Ontwikkelingspsychologie|1056-263X|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8513|Journal of Dharma| |0253-7222|Quarterly| |DHARMARAM COLLEGE +8514|Journal of Diabetes and its Complications|Clinical Medicine / Diabetes; Diabetes Mellitus; DIABETES MELLITUS|1056-8727|Bimonthly| |ELSEVIER SCIENCE INC +8515|Journal of Dietary Supplements| |1939-0211|Quarterly| |INFORMA HEALTHCARE +8516|Journal of Difference Equations and Applications|Mathematics / Difference equations / Difference equations|1023-6198|Monthly| |TAYLOR & FRANCIS LTD +8517|Journal of Differential Equations|Mathematics / Differential equations|0022-0396|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8518|Journal of Differential Geometry|Mathematics|0022-040X|Monthly| |INT PRESS BOSTON +8519|Journal of Digestive Diseases|Clinical Medicine / Digestive organs; Gastroenterology; Digestive System Diseases|1751-2972|Quarterly| |WILEY-BLACKWELL PUBLISHING +8520|Journal of Digital Imaging|Clinical Medicine / Radiology, Medical; Diagnosis, Radioscopic; Image processing; Computer Systems; Radiographic Image Enhancement; Radiology Information Systems|0897-1889|Quarterly| |SPRINGER +8521|Journal of Dispersion Science and Technology|Chemistry / Emulsions; Suspensions (Chemistry); Suspensions|0193-2691|Bimonthly| |TAYLOR & FRANCIS INC +8522|Journal of Display Technology|Computer Science / Information display systems; Optoelectronic devices|1551-319X|Quarterly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +8523|Journal of Documentation|Social Sciences, general / Documentation; Documentatie|0022-0418|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +8524|Journal of Dohuk University| |1812-7568|Semiannual| |DOHUK UNIV +8525|Journal of Drug Delivery Science and Technology|Pharmacology & Toxicology|1773-2247|Bimonthly| |EDITIONS SANTE +8526|Journal of Drug Education|Social Sciences, general / Drug abuse; Drug and Narcotic Control; Substance-Related Disorders|0047-2379|Quarterly| |BAYWOOD PUBL CO INC +8527|Journal of Drug Issues|Social Sciences, general|0022-0426|Quarterly| |J DRUG ISSUES INC +8528|Journal of Drug Research of Egypt| |0085-2406|Semiannual| |NATL ORGANIZATION DRUG CONTROL & RESEARCH +8529|Journal of Drug Targeting|Pharmacology & Toxicology / Drug delivery systems; Drug Administration Routes; Drug Delivery Systems; Drug Evaluation; Geneesmiddelen; Toediening; Geneesmiddelentransport|1061-186X|Bimonthly| |TAYLOR & FRANCIS LTD +8530|Journal of Drugs in Dermatology|Pharmacology & Toxicology|1545-9616|Monthly| |JOURNAL OF DRUGS IN DERMATOLOGY +8531|Journal of Dynamic Systems Measurement and Control-Transactions of the Asme|Engineering / Automatic control; Measurement; Dynamics; Commande automatique; Mesure; Dynamique|0022-0434|Bimonthly| |ASME-AMER SOC MECHANICAL ENG +8532|Journal of Dynamical and Control Systems|Engineering / Differentiable dynamical systems; Control theory; Controleleer|1079-2724|Quarterly| |SPRINGER/PLENUM PUBLISHERS +8533|Journal of Dynamics and Differential Equations|Mathematics / Differential equations|1040-7294|Quarterly| |SPRINGER +8534|Journal of Early Adolescence|Psychiatry/Psychology / Adolescence; Adolescent|0272-4316|Quarterly| |SAGE PUBLICATIONS INC +8535|Journal of Early Christian Studies| |1067-6341|Quarterly| |JOHNS HOPKINS UNIV PRESS +8536|Journal of Early Intervention|Social Sciences, general / Children with disabilities; Child, Exceptional; Child, Preschool; Education, Special; Orthopedagogiek; Interventie|1053-8151|Quarterly| |COUNCIL EXCEPTIONAL CHILDREN +8537|Journal of Earth and Planetary Sciences-Nagoya University| |0919-875X|Annual| |NAGOYA UNIV +8538|Journal of Earth Science|Geosciences /|1674-487X|Bimonthly| |CHINA UNIV GEOSCIENCES +8539|Journal of Earth System Science|Geosciences / Earth sciences; Geophysics|0253-4126|Bimonthly| |INDIAN ACAD SCIENCES +8540|Journal of Earthquake and Tsunami|Geosciences / Earthquakes; Tsunamis|1793-4311|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +8541|Journal of Earthquake Engineering|Engineering / Earthquake engineering|1363-2469|Bimonthly| |TAYLOR & FRANCIS LTD +8542|Journal of East African Natural History|Natural history|1026-1613|Semiannual| |EAST AFRICAN NATURAL HISTORY SOC +8543|Journal of East Asian Linguistics|Social Sciences, general /|0925-8558|Quarterly| |SPRINGER +8544|Journal of East Asian Studies|Social Sciences, general|1598-2408|Tri-annual| |LYNNE RIENNER PUBL INC +8545|Journal of Eastern African Studies|Social Sciences, general /|1753-1055|Tri-annual| |ROUTLEDGE JOURNALS +8546|Journal of Ecclesiastical History|Church history|0022-0469|Quarterly| |CAMBRIDGE UNIV PRESS +8547|Journal of Ecobiology| |0970-9037|Bimonthly| |PALANI PARAMOUNT PUBLICATIONS +8548|Journal of Ecology|Environment/Ecology / Plant ecology; Ecologie; Dieren; Écologie végétale / Plant ecology; Ecologie; Dieren; Écologie végétale|0022-0477|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8549|Journal of Ecology and Field Biology| |1975-020X|Bimonthly| |ECOLOGICAL SOC KOREA +8550|Journal of Ecology and Rural Environment| |1673-4831|Quarterly| |CHINA ENVIRONMENTAL SCIENCE PRESS +8551|Journal of Econometrics|Economics & Business / Econometrics|0304-4076|Monthly| |ELSEVIER SCIENCE SA +8552|Journal of Economic and Taxonomic Botany| |0250-9768|Tri-annual| |SCIENTIFIC PUBL-INDIA +8553|Journal of Economic and Taxonomic Botany Additional Series| |0970-3306|Irregular| |SCIENTIFIC PUBL-INDIA +8554|Journal of Economic Behavior & Organization|Economics & Business / Organization; Organizational behavior; Economics; Managerial economics; Industrial management|0167-2681|Monthly| |ELSEVIER SCIENCE BV +8555|Journal of Economic Dynamics & Control|Economics & Business / Economics; Statics and dynamics (Social sciences); Economic development; Economic policy|0165-1889|Monthly| |ELSEVIER SCIENCE BV +8556|Journal of Economic Education|Economics & Business / Economics; Économie politique|0022-0485|Quarterly| |HELDREF PUBLICATIONS +8557|Journal of Economic Entomology|Plant & Animal Science / Beneficial insects; Insect pests; Zoology, Economic; Entomology; Entomologie; Economische aspecten; Insectes nuisibles; Insectes utiles|0022-0493|Bimonthly| |ENTOMOLOGICAL SOC AMER +8558|Journal of Economic Geography|Social Sciences, general / Economic geography; Commercial geography|1468-2702|Bimonthly| |OXFORD UNIV PRESS +8559|Journal of Economic Growth|Economics & Business / Economic development; Income distribution; Economic policy|1381-4338|Quarterly| |SPRINGER +8560|Journal of Economic History|Economics & Business / Economic history; Economische geschiedenis|0022-0507|Quarterly| |CAMBRIDGE UNIV PRESS +8561|Journal of Economic Inequality|Economics & Business / Economics; Income distribution; Poverty; Economische ongelijkheid|1569-1721|Quarterly| |SPRINGER +8562|Journal of Economic Issues|Economics & Business /|0021-3624|Quarterly| |M E SHARPE INC +8563|Journal of Economic Literature|Economics & Business / Economics; Economie; Économie politique|0022-0515|Quarterly| |AMER ECONOMIC ASSOC +8564|Journal of Economic Perspectives|Economics & Business / Economics; Economie; Toekomstverwachtingen; Économie politique / Economics; Economie; Toekomstverwachtingen; Économie politique|0895-3309|Quarterly| |AMER ECONOMIC ASSOC +8565|Journal of Economic Policy Reform|Social Sciences, general / Economic policy; Policy sciences|1748-7870|Quarterly| |ROUTLEDGE JOURNALS +8566|Journal of Economic Psychology|Psychiatry/Psychology / Economics|0167-4870|Bimonthly| |ELSEVIER SCIENCE BV +8567|Journal of Economic Surveys|Economics & Business / Economics|0950-0804|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8568|Journal of Economic Theory|Economics & Business / Economics; Economics, Mathematical; Économie politique; Mathématiques économiques|0022-0531|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8569|Journal of Economics|Economics & Business / Economics / Economics / Economics|0931-8658|Monthly| |SPRINGER WIEN +8570|Journal of Economics & Management Strategy|Economics & Business / Management; Business; Strategic planning / Management; Business; Strategic planning|1058-6407|Quarterly| |WILEY-BLACKWELL PUBLISHING +8571|Journal of Ecophysiology & Occupational Health| |0972-4397|Quarterly| |ACAD ENVIRONMENTAL BIOLOGY +8572|Journal of Ecotourism|Ecotourism|1472-4049|Tri-annual| |ROUTLEDGE JOURNALS +8573|Journal of Ecotoxicology & Environmental Monitoring| |0971-0965|Quarterly| |PALANI PARAMOUNT PUBLICATIONS +8574|Journal of Ect|Clinical Medicine / Electroconvulsive therapy; Shock therapy; Electroconvulsive Therapy / Electroconvulsive therapy; Shock therapy; Electroconvulsive Therapy|1095-0680|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +8575|Journal of Education Policy|Social Sciences, general / Education and state; Education; Onderwijsbeleid|0268-0939|Bimonthly| |ROUTLEDGE JOURNALS +8576|Journal of Educational and Behavioral Statistics|Social Sciences, general / Educational statistics; Social sciences; Onderwijs; Sociale wetenschappen; Statistische methoden; Statistique de l'éducation; Sciences sociales; Psychométrie|1076-9986|Bimonthly| |SAGE PUBLICATIONS INC +8577|Journal of Educational and Psychological Consultation|Psychiatry/Psychology / Educational consultants; School psychology; Psychological consultation|1047-4412|Quarterly| |ROUTLEDGE JOURNALS +8578|Journal of Educational Measurement|Psychiatry/Psychology / Educational tests and measurements; Onderwijs; Evaluatie|0022-0655|Quarterly| |WILEY-BLACKWELL PUBLISHING +8579|Journal of Educational Psychology|Psychiatry/Psychology / Educational psychology; Education; Onderwijspsychologie; Psychopédagogie|0022-0663|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8580|Journal of Educational Research|Social Sciences, general / Education; Psychology, Educational; Onderwijs; Éducation|0022-0671|Bimonthly| |HELDREF PUBLICATIONS +8581|Journal of Educational Sociology|Educational sociology|0885-3525| | |AMER SOCIOLOGICAL ASSOC +8582|Journal of Egyptian Archaeology| |0307-5133|Annual| |EGYPT EXPLORATION SOC +8583|Journal of Elasticity|Engineering / Elasticity|0374-3535|Monthly| |SPRINGER +8584|Journal of Elastomers and Plastics|Materials Science / Plastics; Elastomers|0095-2443|Quarterly| |SAGE PUBLICATIONS LTD +8585|Journal of Electrical Engineering & Technology|Engineering|1975-0102|Quarterly| |KOREAN INST ELECTR ENG +8586|Journal of Electrical Engineering-Elektrotechnicky Casopis|Engineering|1335-3632|Bimonthly| |SLOVAK UNIV TECHNOLOGY +8587|Journal of Electroanalytical Chemistry|Chemistry / Electrochemical analysis; Electrochemistry; Surface chemistry; Chemistry, Analytical|1572-6657|Semimonthly| |ELSEVIER SCIENCE SA +8588|Journal of Electrocardiology|Clinical Medicine / Electrocardiography; Cardiology; Electrophysiology; Cardiologie|0022-0736|Quarterly| |CHURCHILL LIVINGSTONE INC MEDICAL PUBLISHERS +8589|Journal of Electroceramics|Materials Science / Electronic ceramics|1385-3449|Bimonthly| |SPRINGER +8590|Journal of Electromagnetic Waves and Applications|Engineering / Electromagnetic waves|0920-5071|Monthly| |VSP BV +8591|Journal of Electromyography and Kinesiology|Clinical Medicine / Electromyography; Kinesiology; Movement; Muscles|1050-6411|Bimonthly| |ELSEVIER SCI LTD +8592|Journal of Electron Microscopy|Biology & Biochemistry / Electron microscopy; Microscopy, Electron; Microscopie|0022-0744|Bimonthly| |OXFORD UNIV PRESS +8593|Journal of Electron Spectroscopy and Related Phenomena|Engineering / Electron spectroscopy|0368-2048|Monthly| |ELSEVIER SCIENCE BV +8594|Journal of Electronic Imaging|Physics / Image processing; Imaging systems; Traitement d'images; Imagerie (Technique)|1017-9909|Quarterly| |I S & T - SOC IMAGING SCIENCE TECHNOLOGY +8595|Journal of Electronic Materials|Materials Science / Electronics|0361-5235|Monthly| |SPRINGER +8596|Journal of Electronic Packaging|Engineering / Electronic packaging|1043-7398|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8597|Journal of Electronic Testing-Theory and Applications|Engineering / Electronic apparatus and appliances / Electronic apparatus and appliances|0923-8174|Bimonthly| |SPRINGER +8598|Journal of Electrostatics|Engineering / Electrostatics|0304-3886|Monthly| |ELSEVIER SCIENCE BV +8599|Journal of Elementology|Environment/Ecology|1644-2296|Quarterly| |POLISH SOCIETY MAGNESIUM RESEARCH +8600|Journal of Emergency Medicine|Clinical Medicine / Emergency medicine; Emergency Medicine; Geneeskunde; Spoedgevallen|0736-4679|Bimonthly| |ELSEVIER SCIENCE INC +8601|Journal of Emergency Nursing|Social Sciences, general / Emergency nursing; Emergencies; Emergency Medical Services; Emergency Service, Hospital; Nursing|0099-1767|Bimonthly| |ELSEVIER SCIENCE INC +8602|Journal of Emotional and Behavioral Disorders|Psychiatry/Psychology / Behavior disorders in children; Emotional problems of children; Problem children; Problem youth; Behavior; Emotions; Mental Disorders|1063-4266|Quarterly| |SAGE PUBLICATIONS INC +8603|Journal of Empirical Finance|Economics & Business / Finance; Econometrics|0927-5398|Bimonthly| |ELSEVIER SCIENCE BV +8604|Journal of Empirical Research on Human Research Ethics|Social Sciences, general / Research|1556-2646|Quarterly| |UNIV CALIFORNIA PRESS +8605|Journal of Employment Counseling|Psychiatry/Psychology|0022-0787|Quarterly| |AMER COUNSELING ASSOC +8606|Journal of Endocrinological Investigation|Biology & Biochemistry|0391-4097|Monthly| |EDITRICE KURTIS S R L +8607|Journal of Endocrinology|Biology & Biochemistry / Endocrinology; Endocrinologie|0022-0795|Monthly| |BIOSCIENTIFICA LTD +8608|Journal of Endocrinology and Reproduction| |0971-913X|Semiannual| |SOC REPRODUCTIVE BIOLOGY & COMPARATIVE ENDOCRINOLOGY +8609|Journal of Endodontics|Clinical Medicine / Endodontics; Dentisterie; Endodontie|0099-2399|Monthly| |ELSEVIER SCIENCE INC +8610|Journal of Endourology|Clinical Medicine / Endoscopy; Urologic Diseases|0892-7790|Monthly| |MARY ANN LIEBERT INC +8611|Journal of Endovascular Therapy|Clinical Medicine / Blood vessels; Angioscopy; Intravenous catheterization; Peripheral vascular diseases; Vascular Surgical Procedures; Catheterization, Peripheral; Peripheral Vascular Diseases|1526-6028|Bimonthly| |ALLIANCE COMMUNICATIONS GROUP DIVISION ALLEN PRESS +8612|Journal of Energetic Materials|Materials Science / Explosives; Propellants|0737-0652|Quarterly| |TAYLOR & FRANCIS INC +8613|Journal of Energy Engineering-Asce|Engineering / Power (Mechanics); Énergie mécanique|0733-9402|Tri-annual| |ASCE-AMER SOC CIVIL ENGINEERS +8614|Journal of Energy in Southern Africa|Engineering|1021-447X|Quarterly| |UNIV CAPE TOWN +8615|Journal of Energy Resources Technology-Transactions of the Asme|Engineering / Power resources; Power (Mechanics)|0195-0738|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8616|Journal of Engineered Fibers and Fabrics|Materials Science|1558-9250|Quarterly| |INDA +8617|Journal of Engineering and Technology Management|Engineering / Engineering; Technology|0923-4748|Quarterly| |ELSEVIER SCIENCE BV +8618|Journal of Engineering Design|Engineering / Engineering design; Design, Industrial; Industrial engineering|0954-4828|Quarterly| |TAYLOR & FRANCIS LTD +8619|Journal of Engineering Education|Engineering|1069-4730|Quarterly| |AMER SOC ENGINEERING EDUCATION +8620|Journal of Engineering for Gas Turbines and Power-Transactions of the Asme|Engineering / Mechanical engineering; Gas-turbines; Power (Mechanics)|0742-4795|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8621|Journal of Engineering Materials and Technology-Transactions of the Asme|Materials Science / Materials; Mechanical engineering|0094-4289|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8622|Journal of Engineering Mathematics|Engineering / Engineering mathematics|0022-0833|Monthly| |SPRINGER +8623|Journal of Engineering Mechanics-Asce|Engineering / Mechanics, Applied; Mécanique appliquée|0733-9399|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +8624|Journal of Engineering Technology|Engineering|0747-9964|Semiannual| |AMER SOC ENGINEERING EDUCATION +8625|Journal of Engineering Thermophysics|Physics /|1810-2328|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +8626|Journal of English and Germanic Philology| |0363-6941|Quarterly| |UNIV ILLINOIS PRESS +8627|Journal of English Linguistics|English language; Taalkunde; Engels; Anglais (Langue); Linguistique|0075-4242|Quarterly| |SAGE PUBLICATIONS INC +8628|Journal of Enhanced Heat Transfer|Engineering / Heat|1065-5131|Quarterly| |BEGELL HOUSE INC +8629|Journal of Entomological and Acarological Research| |2038-324X|Tri-annual| |IST ENTOMOLOGIA AGRARIA-MILAN +8630|Journal of Entomological Research| |0378-9519|Irregular| |MALHOTRA PUBL HOUSE +8631|Journal of Entomological Science|Plant & Animal Science|0749-8004|Quarterly| |GEORGIA ENTOMOLOGICAL SOC INC +8632|Journal of Entomological Society of Iran| |0259-9996|Semiannual| |ENTOMOLOGICAL SOC IRAN +8633|Journal of Entomology| |1812-5670|Bimonthly| |ASIAN NETWORK SCIENTIFIC INFORMATION-ANSINET +8634|Journal of Entomology and Nematology| |2006-9855|Monthly| |ACADEMIC JOURNALS +8635|Journal of Environment and Sociobiology| |0973-0834|Semiannual| |SOCIAL ENVIRONMENTAL & BIOLOGICAL ASSOC-SEBA +8636|Journal of Environmental and Engineering Geophysics|Geosciences / Geophysics; Engineering geology|1083-1363|Quarterly| |ENVIRONMENTAL ENGINEERING GEOPHYSICAL SOC +8637|Journal of Environmental Assessment Policy and Management|Environmental policy; Environmental impact analysis; Environmental management|1464-3332|Quarterly| |IMPERIAL COLLEGE PRESS +8638|Journal of Environmental Biology|Environment/Ecology|0254-8704|Quarterly| |TRIVENI ENTERPRISES +8639|Journal of Environmental Economics and Management|Economics & Business / Pollution|0095-0696|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8640|Journal of Environmental Engineering and Landscape Management|Environment/Ecology / Environmental protection; Environmental engineering; Pollution; Environmental sciences; Forest landscape management; Agricultural landscape management|1648-6897|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +8641|Journal of Environmental Engineering and Science|Engineering / Environmental engineering; Sanitary engineering|1496-2551|Bimonthly| |NATL RESEARCH COUNCIL CANADA-N R C RESEARCH PRESS +8642|Journal of Environmental Engineering-Asce|Engineering / Environmental engineering; Sanitary engineering|0733-9372|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +8643|Journal of Environmental Health|Environment/Ecology|0022-0892|Monthly| |NATL ENVIRON HEALTH ASSOC +8644|Journal of Environmental Horticulture| |0738-2898|Quarterly| |HORTICULTURAL RESEARCH INST +8645|Journal of Environmental Informatics|Environment/Ecology /|1726-2135|Quarterly| |INT SOC ENVIRON INFORM SCI +8646|Journal of Environmental Management|Environment/Ecology / Environmental policy; Environmental management; Environment; Ecology|0301-4797|Semimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8647|Journal of Environmental Monitoring|Environment/Ecology / Environmental monitoring; Biological monitoring; Pollution; Environmental Monitoring; Environmental Pollution|1464-0325|Monthly| |ROYAL SOC CHEMISTRY +8648|Journal of Environmental Pathology Toxicology and Oncology|Biology & Biochemistry / Environmentally induced diseases; Toxicology; Carcinogenesis; Oncology; Environmental Pollutants; Medical Oncology; Pathology|0731-8898|Quarterly| |BEGELL HOUSE INC +8649|Journal of Environmental Planning and Management|Environment/Ecology / City planning; Regional planning|0964-0568|Bimonthly| |ROUTLEDGE JOURNALS +8650|Journal of Environmental Policy & Planning|Environment/Ecology / Environmental policy / Environmental policy|1523-908X|Quarterly| |ROUTLEDGE JOURNALS +8651|Journal of Environmental Protection and Ecology|Environment/Ecology|1311-5065|Quarterly| |SCIBULCOM LTD +8652|Journal of Environmental Psychology|Social Sciences, general / Environmental psychology; Environment; Psychology|0272-4944|Quarterly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8653|Journal of Environmental Quality|Environment/Ecology / Agricultural ecology; Environmental engineering; Pollution; Environmental Pollution; Écologie agricole; Environnement, Technique de l'|0047-2425|Bimonthly| |AMER SOC AGRONOMY +8654|Journal of Environmental Radioactivity|Environment/Ecology / Radioecology; Radioactive pollution; Environmental Pollutants; Radioactive Pollutants; Radioactivity|0265-931X|Monthly| |ELSEVIER SCI LTD +8655|Journal of Environmental Science & Engineering| |0367-827X|Quarterly| |NATL ENVIRONMENTAL ENGINEERING RESEARCH INST +8656|Journal of Environmental Science and Health Part A-Toxic/hazardous Substances & Environmental Engineering|Environment/Ecology / Environmental engineering; Environmental sciences; Hazardous substances; Environmental Exposure; Environmental Health; Environmental Pollution; Hazardous Substances; Industrial Waste; Engineering / Environmental engineering; Environ|1093-4529|Monthly| |TAYLOR & FRANCIS INC +8657|Journal of Environmental Science and Health Part B-Pesticides Food Contaminants and Agricultural Wastes|Environment/Ecology / Pesticides; Food contamination; Agricultural wastes; Agriculture; Environmental Pollutants; Food Contamination / Pesticides; Food contamination; Agricultural wastes; Agriculture; Environmental Pollutants; Food Contamination / Pestic|0360-1234|Bimonthly| |TAYLOR & FRANCIS INC +8658|Journal of Environmental Science and Health Part C-Environmental Carcinogenesis & Ecotoxicology Reviews|Environment/Ecology / Carcinogenesis; Pollution; Environmentally induced diseases; Carcinogens, Environmental; Environmental Health; Environmental Pollution / Carcinogenesis; Pollution; Environmentally induced diseases; Carcinogens, Environmental; Enviro|1059-0501|Semiannual| |TAYLOR & FRANCIS INC +8659|Journal of Environmental Science Laboratory Senshu University Hokkaido| |0915-6194|Semiannual| |SENSHU UNIV HOKKAIDO +8660|Journal of Environmental Sciences-China|Environment/Ecology / Pollution; Environmental sciences; Ecology; Environmental health; Conservation of natural resources; Environmental Health; Conservation of Natural Resources; Environmental Pollution|1001-0742|Bimonthly| |SCIENCE CHINA PRESS +8661|Journal of Environmental Systems|Environmental engineering|0047-2433|Quarterly| |BAYWOOD PUBL CO INC +8662|Journal of Enzyme Inhibition and Medicinal Chemistry|Biology & Biochemistry / Enzyme inhibitors; Pharmaceutical chemistry; Enzyme Inhibitors; Biochemistry|1475-6366|Bimonthly| |TAYLOR & FRANCIS LTD +8663|Journal of Epidemiology|Clinical Medicine / Epidemiology|0917-5040|Bimonthly| |JAPAN EPIDEMIOLOGICAL ASSOC +8664|Journal of Epidemiology and Community Health|Clinical Medicine / Epidemiology; Public health; Community health services; Social medicine; Community Health Services; Public Health; Social Medicine; Epidemiologie; Médecine sociale / Epidemiology; Public health; Community health services; Social medic|0143-005X|Monthly| |B M J PUBLISHING GROUP +8665|Journal of Equine Science|Horses; Horse Diseases|1340-3516|Quarterly| |JAPANESE SOC EQUINE SCIENCE +8666|Journal of Equine Veterinary Science|Plant & Animal Science / Horses; Veterinary Medicine|0737-0806|Monthly| |ELSEVIER SCIENCE INC +8667|Journal of Essential Oil Bearing Plants|Plant & Animal Science|0972-060X|Bimonthly| |HAR KRISHAN BHALLA & SONS +8668|Journal of Essential Oil Research|Plant & Animal Science|1041-2905|Bimonthly| |ALLURED PUBL CORP +8669|Journal of Esthetic and Restorative Dentistry|Clinical Medicine / Prosthodontics; Dentisterie; Esthetics, Dental; Dental Restoration, Permanent|1496-4155|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8670|Journal of Ethnic and Migration Studies|Social Sciences, general / Ethnic relations; Race relations; Emigration and immigration; Assimilation (Sociology); Etnische betrekkingen; Migratie (demografie)|1369-183X|Bimonthly| |ROUTLEDGE JOURNALS +8671|Journal of Ethnicity in Substance Abuse|Substance abuse; Minorities; Ethnicity; Substance-Related Disorders|1533-2640|Quarterly| |HAWORTH PRESS INC +8672|Journal of Ethnobiology|Biology & Biochemistry / Ethnobiology; Plant remains (Archaeology); Animal remains (Archaeology)|0278-0771|Semiannual| |SOC ETHNOBIOLOGY +8673|Journal of Ethnobiology and Ethnomedicine|Anthropology; Medicine, Traditional; Plants, Medicinal; Phytotherapy; Medical anthropology; Ethnobiology; Ethnobotany; Traditional medicine|1746-4269|Irregular| |BIOMED CENTRAL LTD +8674|Journal of Ethnopharmacology|Pharmacology & Toxicology / Pharmacognosy; Plants, Medicinal|0378-8741|Semimonthly| |ELSEVIER IRELAND LTD +8675|Journal of Ethology|Plant & Animal Science / Animal behavior; Psychology, Experimental; Éthologie; Psychologie expérimentale|0289-0771|Tri-annual| |SPRINGER TOKYO +8676|Journal of Eukaryotic Microbiology|Microbiology / Protozoology; Eukaryotic cells; Eukaryotic Cells; Microbiologie; Eukaryoten; Cellules eucaryotes; Protozoologie|1066-5234|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8677|Journal of European Public Policy|Social Sciences, general / Political planning; Openbaar bestuur|1350-1763|Bimonthly| |ROUTLEDGE JOURNALS +8678|Journal of European Social Policy|Social Sciences, general / Social policy|0958-9287|Quarterly| |SAGE PUBLICATIONS LTD +8679|Journal of European Studies|Ideeëngeschiedenis; Letterkunde|0047-2441|Quarterly| |SAGE PUBLICATIONS LTD +8680|Journal of Evaluation in Clinical Practice|Clinical Medicine / Clinical Medicine; Outcome and Process Assessment (Health Care)|1356-1294|Quarterly| |WILEY-BLACKWELL PUBLISHING +8681|Journal of Evolution Equations|Biology & Biochemistry / Evolution equations; Evolution equations, Nonlinear|1424-3199|Quarterly| |BIRKHAUSER VERLAG AG +8682|Journal of Evolutionary Biochemistry and Physiology|Biology & Biochemistry / Physiology; Biochemistry; Evolution|0022-0930|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +8683|Journal of Evolutionary Biology|Biology & Biochemistry / Evolution; Biology; Evolutionaire biologie|1010-061X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8684|Journal of Evolutionary Economics|Economics & Business / Economics; Evolutionary economics|0936-9937|Bimonthly| |SPRINGER +8685|Journal of Exceptional Children| |0887-5405| | |COUNCIL EXCEPTIONAL CHILDREN +8686|Journal of Exercise Science & Fitness|Clinical Medicine /|1728-869X|Semiannual| |ELSEVIER SINGAPORE PTE LTD +8687|Journal of Exotic Pet Medicine|Plant & Animal Science / Avian medicine; Exotic animals; Animal Diseases; Animals, Domestic|1557-5063|Quarterly| |ELSEVIER SCIENCE INC +8688|Journal of Experimental & Clinical Cancer Research|Clinical Medicine /|1756-9966|Quarterly| |BIOMED CENTRAL LTD +8689|Journal of Experimental & Theoretical Artificial Intelligence|Engineering / Artificial intelligence|0952-813X|Quarterly| |TAYLOR & FRANCIS LTD +8690|Journal of Experimental and Theoretical Physics|Physics / Physics; Natuurkunde; Physique|1063-7761|Irregular| |MAIK NAUKA/INTERPERIODICA/SPRINGER +8691|Journal of Experimental Biology|Biology & Biochemistry / Biology|0022-0949|Semimonthly| |COMPANY OF BIOLOGISTS LTD +8692|Journal of Experimental Botany|Plant & Animal Science / Botany; Botany, Experimental; Plant physiology; Plantkunde; Botanique; Botanique expérimentale; Physiologie végétale|0022-0957|Monthly| |OXFORD UNIV PRESS +8693|Journal of Experimental Child Psychology|Psychiatry/Psychology / Child psychology; Child Psychology; Ontwikkelingspsychologie; Experimentele psychologie; Enfants|0022-0965|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8694|Journal of Experimental Education|Social Sciences, general / Education; Psychology, Educational; Psychology, Experimental; Onderwijsresearch; Éducation; Enseignement|0022-0973|Quarterly| |HELDREF PUBLICATIONS +8695|Journal of Experimental Marine Biology and Ecology|Plant & Animal Science / Marine ecology; Marine biology; Mariene biologie; Biologie marine; Écologie marine; Écologie expérimentale|0022-0981|Biweekly| |ELSEVIER SCIENCE BV +8696|Journal of Experimental Medicine|Clinical Medicine / Medicine; Research; Medicine, Experimental; Diergeneeskunde; Geneeskunde|0022-1007|Semimonthly| |ROCKEFELLER UNIV PRESS +8697|Journal of Experimental Nanoscience|Chemistry / Nanoscience; Nanotechnology|1745-8080|Quarterly| |TAYLOR & FRANCIS LTD +8698|Journal of Experimental Psychology|Psychology; Psychophysiology; Psychology, Experimental; Experimentele psychologie; Psychologie; Psychophysiologie; Psychologie expérimentale|0022-1015|Monthly| |AMER PSYCHOLOGICAL ASSOC +8699|Journal of Experimental Psychology-Animal Behavior Processes|Psychiatry/Psychology / Animal behavior; Psychology, Experimental; Behavior; Ethology; Diergedrag; Animaux; Psychologie expérimentale|0097-7403|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8700|Journal of Experimental Psychology-Applied|Psychiatry/Psychology / Psychology, Experimental; Psychology, Applied; Experimentele psychologie; Toegepaste psychologie; Psychologie appliquée; Psychologie expérimentale|1076-898X|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8701|Journal of Experimental Psychology-General|Psychiatry/Psychology / Psychology, Experimental; Experimentele psychologie; Psychologie expérimentale|0096-3445|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8702|Journal of Experimental Psychology-Human Perception and Performance|Psychiatry/Psychology / Perception; Performance; Waarneming; Rendement au travail|0096-1523|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +8703|Journal of Experimental Psychology-Learning Memory and Cognition|Psychiatry/Psychology / Learning, Psychology of; Memory; Cognition; Psychology, Experimental; Learning; Leren; Geheugen; Cognitie; Psychophysiologie; Apprentissage, Psychologie de l'; Mémoire|0278-7393|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +8704|Journal of Experimental Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social|0022-1031|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8705|Journal of Experimental Therapeutics and Oncology|Cancer; Therapeutics, Experimental; Drugs, Investigational; Neoplasms|1359-4117|Quarterly| |OLD CITY PUBLISHING INC +8706|Journal of Experimental Zoology|Plant & Animal Science / Zoology; Dierkunde; Onderzoek / Zoology; Dierkunde; Onderzoek|0022-104X|Semimonthly| |WILEY-LISS +8707|Journal of Experimental Zoology India| |0972-0030|Semiannual| |JOURNAL EXPERIMENTAL ZOOLOGY INDIA +8708|Journal of Experimental Zoology Part A-Ecological Genetics and Physiology|Plant & Animal Science / Zoology; Ecological genetics; Ecophysiology|1932-5223|Monthly| |WILEY-LISS +8709|Journal of Experimental Zoology Part B-Molecular and Developmental Evolution|Plant & Animal Science / Developmental biology; Evolution (Biology); Molecular evolution; Zoology; Evolution, Molecular; Developmental Biology|1552-5007|Bimonthly| |WILEY-LISS +8710|Journal of Exposure Science and Environmental Epidemiology|Environment/Ecology / Environmental health; Environmental monitoring; Environmental Exposure; Environmental Monitoring; Environmental Pollutants|1559-0631|Bimonthly| |NATURE PUBLISHING GROUP +8711|Journal of Family History|Social Sciences, general / Kinship; Family|0363-1990|Quarterly| |SAGE PUBLICATIONS INC +8712|Journal of Family Issues|Social Sciences, general / Family|0192-513X|Bimonthly| |SAGE PUBLICATIONS INC +8713|Journal of Family Nursing|Social Sciences, general / Family nursing; Family Health; Nursing; Soins infirmiers à la famille|1074-8407|Quarterly| |SAGE PUBLICATIONS INC +8714|Journal of Family Planning and Reproductive Health Care|Social Sciences, general / Birth control; Reproductive health; Family Planning Services; Reproductive Medicine|1471-1893|Quarterly| |PROFESSIONAL +8715|Journal of Family Practice|Clinical Medicine|0094-3509|Monthly| |DOWDEN HEALTH MEDIA +8716|Journal of Family Psychology|Psychiatry/Psychology / Family psychotherapy; Family; Psychology; Interpersonal Relations; Psychology, Applied; Gezinsrelaties; Psychologie; Famille|0893-3200|Quarterly| |AMER PSYCHOLOGICAL ASSOC +8717|Journal of Family Studies|Social Sciences, general /|1322-9400|Semiannual| |ECONTENT MANAGEMENT +8718|Journal of Family Therapy|Psychiatry/Psychology / Family psychotherapy; Family Therapy|0163-4445|Quarterly| |WILEY-BLACKWELL PUBLISHING +8719|Journal of Family Violence|Psychiatry/Psychology / Family violence; Child Abuse; Elder Abuse; Family; Spouse Abuse; Violence; Geweld; Gezin; Violence familiale|0885-7482|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8720|Journal of Farm Economics|Agriculture; Farms|1071-1031|Annual| |AMER AGRICULTURAL ECONOMICS ASSOC +8721|Journal of Feline Medicine and Surgery|Plant & Animal Science / Cats; Chats; Cat Diseases|1098-612X|Bimonthly| |ELSEVIER SCI LTD +8722|Journal of Feminist Studies in Religion|Women and religion; Feminism; Women's studies|8755-4178|Semiannual| |INDIANA UNIV PRESS +8723|Journal of Field Archaeology|Archaeology; Archeologie; Archéologie|0093-4690|Quarterly| |JOURNAL FIELD ARCHAEOLOGY +8724|Journal of Field Ornithology|Plant & Animal Science / Ornithology; Bird banding; Birds; Ornithologie|0273-8570|Quarterly| |WILEY-BLACKWELL PUBLISHING +8725|Journal of Field Robotics|Engineering / Robotics; Robots, Industrial|1556-4959|Bimonthly| |JOHN WILEY & SONS INC +8726|Journal of Film and Video| |0742-4671|Quarterly| |UNIV ILLINOIS PRESS +8727|Journal of Finance|Economics & Business / Finance|0022-1082|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8728|Journal of Financial and Quantitative Analysis|Economics & Business / Finance; Investments; Financieel management; Kwantitatieve methoden|0022-1090|Quarterly| |UNIV WASHINGTON SCH BUSINESS & ADMINISTRATION +8729|Journal of Financial Econometrics|Economics & Business / Econometrics; Finance; Econometrie; Financiële gegevens|1479-8409|Quarterly| |OXFORD UNIV PRESS +8730|Journal of Financial Economics|Economics & Business / Investments; Finance|0304-405X|Monthly| |ELSEVIER SCIENCE SA +8731|Journal of Financial Intermediation|Economics & Business / Investments; Securities; Risk management; Intermediation (Finance)|1042-9573|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8732|Journal of Financial Markets|Economics & Business / Capital market; Stock exchanges; Finance; Securities|1386-4181|Quarterly| |ELSEVIER SCIENCE BV +8733|Journal of Financial Services Research|Economics & Business / Financial services industry; Financial institutions|0920-8550|Bimonthly| |SPRINGER +8734|Journal of Fire Protection Engineering|Engineering /|1042-3915|Quarterly| |SAGE PUBLICATIONS LTD +8735|Journal of Fire Sciences|Materials Science / Flammable materials; Combustion gases; Fireproofing|0734-9041|Bimonthly| |SAGE PUBLICATIONS LTD +8736|Journal of Fish Biology|Plant & Animal Science / Fishes; Vissen (dierkunde); Poissons|0022-1112|Monthly| |WILEY-BLACKWELL PUBLISHING +8737|Journal of Fish Diseases|Plant & Animal Science / Fishes; Fish Diseases|0140-7775|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8738|Journal of Fisheries and Aquatic Science| |1816-4927|Bimonthly| |ACADEMIC JOURNALS INC +8739|JOURNAL OF FISHERIES OF CHINA| |1000-0615|Bimonthly| |CHINA INT BOOK TRADING CORP +8740|Journal of Fisheries Science and Technology| |1226-9204|Quarterly| |KOREAN FISHERIES SOC +8741|Journal of Fishery Sciences of China| |1005-8737|Bimonthly| |CHINA INT BOOK TRADING CORP +8742|Journal of Fixed Point Theory and Applications|Mathematics / Fixed point theory|1661-7738|Quarterly| |BIRKHAUSER VERLAG AG +8743|Journal of Fluency Disorders|Social Sciences, general / Speech disorders; Speech Disorders; Spraakstoornissen; Parole, Troubles de la|0094-730X|Quarterly| |ELSEVIER SCIENCE INC +8744|Journal of Fluid Mechanics|Engineering / Fluid mechanics; Vloeistofmechanica; Fluides, Mécanique des|0022-1120|Semimonthly| |CAMBRIDGE UNIV PRESS +8745|Journal of Fluids and Structures|Engineering / Fluid mechanics; Structural dynamics; Structural analysis (Engineering); Fluides, Mécanique des; Constructions; Constructions, Théorie des|0889-9746|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8746|Journal of Fluids Engineering-Transactions of the Asme|Engineering / Fluid mechanics; Fluids; Fluides, Mécanique des; Fluides|0098-2202|Bimonthly| |ASME-AMER SOC MECHANICAL ENG +8747|Journal of Fluorescence|Chemistry / Fluorescence; Spectrum analysis; Spectrometry, Fluorescence; Spectrum Analysis|1053-0509|Quarterly| |SPRINGER/PLENUM PUBLISHERS +8748|Journal of Fluorine Chemistry|Chemistry / Fluorine; Chemistry|0022-1139|Monthly| |ELSEVIER SCIENCE SA +8749|Journal of Folklore Research|Folklore; Volkscultuur|0737-7037|Tri-annual| |INDIANA UNIV PRESS +8750|Journal of Food Agriculture & Environment|Agricultural Sciences|1459-0255|Quarterly| |WFL PUBL +8751|Journal of Food and Drug Analysis|Pharmacology & Toxicology|1021-9498|Quarterly| |BUREAU FOOD DRUG ANALYSIS +8752|Journal of Food and Nutrition Research|Agricultural Sciences|1336-8672|Quarterly| |VUP FOOD RESEARCH INST +8753|Journal of Food Biochemistry|Agricultural Sciences / Food; Biochemistry; Food Analysis|0145-8884|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8754|Journal of Food Composition and Analysis|Agricultural Sciences / Food; Food Analysis|0889-1575|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8755|Journal of Food Engineering|Agricultural Sciences / Food industry and trade; Food|0260-8774|Semimonthly| |ELSEVIER SCI LTD +8756|Journal of Food Lipids|Agricultural Sciences / Lipids; Lipids in human nutrition; Dietary Fats|1065-7258|Quarterly| |WILEY-BLACKWELL PUBLISHING +8757|Journal of Food Process Engineering|Agricultural Sciences / Food industry and trade; Food; Levensmiddelen; Aliments|0145-8876|Quarterly| |WILEY-BLACKWELL PUBLISHING +8758|Journal of Food Processing and Preservation|Agricultural Sciences / Food; Food industry and trade; Food Preservation; Food Technology; Aliments|0145-8892|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8759|Journal of Food Products Marketing|Food; Food industry and trade|1045-4446|Semiannual| |HAWORTH PRESS INC +8760|Journal of Food Protection|Agricultural Sciences|0362-028X|Monthly| |INT ASSOC FOOD PROTECTION +8761|Journal of Food Quality|Agricultural Sciences / Food industry and trade; Food; Food Technology; Quality Control; Aliments|0146-9428|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8762|Journal of Food Safety|Agricultural Sciences / Food adulteration and inspection; Food contamination; Food; Food Contamination; Food Handling; Food Preservatives|0149-6085|Quarterly| |WILEY-BLACKWELL PUBLISHING +8763|Journal of Food Science|Agricultural Sciences / Food; Research; Levensmiddelen; Voeding|0022-1147|Monthly| |WILEY-BLACKWELL PUBLISHING +8764|Journal of Food Science and Technology-Mysore|Agricultural Sciences /|0022-1155|Bimonthly| |SPRINGER INDIA +8765|Journal of Foot & Ankle Surgery|Clinical Medicine / Ankle; Foot / Ankle; Foot|1067-2516|Bimonthly| |ELSEVIER SCIENCE INC +8766|Journal of Foraminiferal Research|Geosciences / Foraminifera; Foraminifera, Fossil|0096-1191|Quarterly| |CUSHMAN FOUNDATION FORAMINIFERAL RES +8767|Journal of Forecasting|Economics & Business / Forecasting; Prognoses; Voorspellingen|0277-6693|Bimonthly| |JOHN WILEY & SONS LTD +8768|Journal of Forensic Psychiatry & Psychology|Psychiatry/Psychology / Forensic psychiatry; Forensic psychology; Forensic Psychiatry; Criminal Psychology / Forensic psychiatry; Forensic psychology; Forensic Psychiatry; Criminal Psychology|1478-9949|Tri-annual| |ROUTLEDGE JOURNALS +8769|Journal of Forensic Psychology Practice|Psychiatry/Psychology / Forensic psychology; Forensic Psychiatry; Criminal Psychology|1522-8932|Irregular| |HAWORTH PRESS INC +8770|Journal of Forensic Sciences|Clinical Medicine / Medical jurisprudence; Forensic sciences; Forensic Medicine; Gerechtelijke geneeskunde; Gerechtelijke chemie; Gerechtelijke psychiatrie|0022-1198|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8771|Journal of Forest Economics|Economics & Business / Forests and forestry; Forest products industry; Bosbouw; Economische aspecten|1104-6899|Quarterly| |ELSEVIER GMBH +8772|Journal of Forest Research|Forests and forestry|1341-6979|Bimonthly| |SPRINGER TOKYO +8773|Journal of Forest Science-Prague| |1212-4834|Monthly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +8774|Journal of Forestry|Plant & Animal Science|0022-1201|Bimonthly| |SOC AMER FORESTERS +8775|Journal of Forestry Research|Forests and forestry|1007-662X|Quarterly| |NORTHEAST FORESTRY UNIV +8776|Journal of Fourier Analysis and Applications|Mathematics / Fourier analysis|1069-5869|Bimonthly| |BIRKHAUSER BOSTON INC +8777|Journal of French Language Studies|Social Sciences, general / French language; Français (Langue); Taalwetenschap; Frans|0959-2695|Tri-annual| |CAMBRIDGE UNIV PRESS +8778|Journal of Freshwater Ecology|Environment/Ecology|0270-5060|Semiannual| |OIKOS PUBL INC +8779|Journal of Friction and Wear|Materials Science / Friction; Mechanical wear|1068-3666|Bimonthly| |ALLERTON PRESS INC +8780|Journal of Fruit and Ornamental Plant Research| |1231-0948|Quarterly| |RESEARCH INST POMOLOGY & FLORICULTURE +8781|Journal of Fudan University Natural Science| |0427-7104|Irregular| |FUDAN UNIV PRESS +8782|Journal of Fuel Cell Science and Technology|Engineering / Fuel cells|1550-624X|Quarterly| |ASME-AMER SOC MECHANICAL ENG +8783|Journal of Function Spaces and Applications|Mathematics|0972-6802|Tri-annual| |SCIENTIFIC HORIZON +8784|Journal of Functional Analysis|Mathematics / Functional analysis|0022-1236|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8785|Journal of Functional Programming|Computer Science / Functional programming (Computer science); Functionele programmering; Programmation fonctionnelle|0956-7968|Bimonthly| |CAMBRIDGE UNIV PRESS +8786|Journal of Fungal Research| |1672-3538|Quarterly| |JILIN AGRICULTURAL UNIV +8787|Journal of Fusion Energy|Engineering / Controlled fusion|0164-0313|Quarterly| |SPRINGER +8788|Journal of Futures Markets|Economics & Business / Futures market; Commodity exchanges; Foreign exchange futures; Bourses de marchandises; Change à terme|0270-7314|Bimonthly| |JOHN WILEY & SONS INC +8789|Journal of Gambling Studies|Psychiatry/Psychology / Gambling; Compulsive Behavior; Gokken; Joueurs (Jeux de hasard); Jeux de hasard|1050-5350|Quarterly| |SPRINGER +8790|Journal of Gastroenterology|Clinical Medicine / Gastroenterology; Gastroentérologie; Appareil digestif; Gastrointestinal Diseases|0944-1174|Monthly| |SPRINGER TOKYO +8791|Journal of Gastroenterology and Hepatology|Clinical Medicine / Gastroenterology; Digestive organs; Liver; Liver Diseases|0815-9319|Monthly| |WILEY-BLACKWELL PUBLISHING +8792|Journal of Gastrointestinal and Liver Diseases|Clinical Medicine|1841-8724|Quarterly| |MEDICAL UNIV PRESS +8793|Journal of Gastrointestinal Cancer| |1941-6628|Quarterly| |HUMANA PRESS INC +8794|Journal of Gastrointestinal Surgery|Clinical Medicine / Gastrointestinal system; Gastrointestinal Diseases|1091-255X|Bimonthly| |SPRINGER +8795|Journal of Gender Studies|Social Sciences, general / Feminism; Women|0958-9236|Quarterly| |ROUTLEDGE JOURNALS +8796|Journal of Gene Medicine|Molecular Biology & Genetics / Genetic transformation; Gene Transfer Techniques; Gene Therapy|1099-498X|Monthly| |JOHN WILEY & SONS LTD +8797|Journal of General and Applied Microbiology|Microbiology / Microbiology; Microbiologie|0022-1260|Bimonthly| |MICROBIOL RES FOUNDATION +8798|Journal of General Internal Medicine|Clinical Medicine / Internal medicine; Medicine; Internal Medicine|0884-8734|Monthly| |SPRINGER +8799|Journal of General Physiology|Biology & Biochemistry / Physiology; Fysiologie; Physiologie|0022-1295|Monthly| |ROCKEFELLER UNIV PRESS +8800|Journal of General Plant Pathology|Plant & Animal Science / Plant diseases|1345-2630|Quarterly| |SPRINGER TOKYO +8801|Journal of General Psychology|Psychiatry/Psychology / Psychology; Psychologie|0022-1309|Quarterly| |HELDREF PUBLICATIONS +8802|Journal of General Virology|Microbiology / Virology; Virologie; Microbiologie|0022-1317|Monthly| |SOC GENERAL MICROBIOLOGY +8803|Journal of Genetic Counseling|Molecular Biology & Genetics / Genetic counseling; Genetic Counseling; Medische genetica|1059-7700|Bimonthly| |SPRINGER +8804|Journal of Genetic Psychology|Psychiatry/Psychology / Education; Psychology; Child psychology; Behavior; Child Psychology; Psychology, Comparative; Psychologie; Psychologie génétique|0022-1325|Quarterly| |HELDREF PUBLICATIONS +8805|Journal of Genetics|Molecular Biology & Genetics / Genetics|0022-1333|Tri-annual| |INDIAN ACAD SCIENCES +8806|Journal of Genetics & Breeding| |0394-9257|Quarterly| |IST SPERIMENTALE PER CEREALICOLTURA +8807|Journal of Genetics and Genomics|Molecular Biology & Genetics / Genetics|1673-8527|Monthly| |SCIENCE CHINA PRESS +8808|Journal of Genetics-Cambridge| |0958-8361|Irregular| |CAMBRIDGE UNIV PRESS +8809|Journal of Geochemical Exploration|Geosciences / Geochemical prospecting; Geochemie; Prospection géochimique|0375-6742|Bimonthly| |ELSEVIER SCIENCE BV +8810|Journal of Geodesy|Geosciences / Geodesy|0949-7714|Monthly| |SPRINGER +8811|Journal of Geodynamics|Geosciences / Geodynamics; Earth movements; Rock deformation; Geodynamica|0264-3707|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +8812|Journal of Geographical Sciences|Geosciences / Geography; Géographie|1009-637X|Quarterly| |SCIENCE CHINA PRESS +8813|Journal of Geographical Systems|Social Sciences, general / Geographic information systems; Geography|1435-5930|Quarterly| |SPRINGER HEIDELBERG +8814|Journal of Geography|Social Sciences, general / Geography; Geografie; Géographie|0022-1341|Bimonthly| |TAYLOR & FRANCIS INC +8815|Journal of Geography in Higher Education|Social Sciences, general / Geography|0309-8265|Tri-annual| |ROUTLEDGE JOURNALS +8816|Journal of Geology|Geosciences /|0022-1376|Bimonthly| |UNIV CHICAGO PRESS +8817|Journal of Geometric Analysis|Mathematics / Mathematical analysis; Geometry; Differential equations, Partial|1050-6926|Quarterly| |SPRINGER +8818|Journal of Geometry and Physics|Mathematics / Geometry; Mathematical physics|0393-0440|Monthly| |ELSEVIER SCIENCE BV +8819|Journal of Geophysical Research-Atmospheres|Geosciences / Geomagnetism; Geophysics; Astrophysics|0148-0227|Monthly| |American Geophysical Union, Washington +8820|Journal of Geophysical Research-Biogeosciences|Geosciences|0148-0227|Monthly| |American Geophysical Union, Washington +8821|Journal of Geophysical Research-Earth Surface|Geosciences|0148-0227|Monthly| |American Geophysical Union, Washington +8822|Journal of Geophysical Research-Oceans|Geosciences|0148-0227|Monthly| |American Geophysical Union, Washington +8823|Journal of Geophysical Research-Planets|Space Science|0148-0227|Monthly| |American Geophysical Union, Washington +8824|Journal of Geophysical Research-Solid Earth|Geosciences|0148-0227|Monthly| |American Geophysical Union, Washington +8825|Journal of Geophysical Research-Space Physics|Space Science|0148-0227|Monthly| |American Geophysical Union, Washington +8826|Journal of Geophysics and Engineering|Geosciences / Geophysics; Prospecting; Engineering|1742-2132|Irregular| |IOP PUBLISHING LTD +8827|Journal of Geosciences-Osaka City University| |0449-2560|Annual| |OSAKA CITY UNIV +8828|Journal of Geotechnical and Geoenvironmental Engineering|Engineering / Engineering geology; Environmental geology; Géotechnique; Environnement, Technique de l'|1090-0241|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +8829|Journal of Geriatric Psychiatry and Neurology|Clinical Medicine / Geriatric neurology; Geriatric neuropsychiatry; Geriatric psychiatry; Nervous system; Geriatric Psychiatry; Nervous System Diseases; Aged|0891-9887|Quarterly| |SAGE PUBLICATIONS INC +8830|Journal of Germanic Linguistics|Social Sciences, general / Germanic philology|1470-5427|Quarterly| |CAMBRIDGE UNIV PRESS +8831|Journal of Gerontological Nursing|Social Sciences, general / Geriatric nursing; Geriatric Nursing; Soins infirmiers en gériatrie|0098-9134|Monthly| |SLACK INC +8832|Journal of Ginseng Research| |1226-8453|Quarterly| |KOREAN SOC GINSENG +8833|Journal of Glaciology|Geosciences / Glaciology; Glaciologie|0022-1430|Quarterly| |INT GLACIOL SOC +8834|Journal of Glass Studies| |0075-4250|Annual| |CORNING MUSEUM GLASS +8835|Journal of Glaucoma|Clinical Medicine / Glaucoma|1057-0829|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +8836|Journal of Global History|World history; Historiography; Globalization|1740-0228|Tri-annual| |CAMBRIDGE UNIV PRESS +8837|Journal of Global Information Management| |1062-7375|Quarterly| |IGI PUBL +8838|Journal of Global Information Technology Management|Economics & Business|1097-198X|Quarterly| |IVY LEAGUE PUBL +8839|Journal of Global Marketing|Export marketing; Marketing|0891-1762|Quarterly| |HAWORTH PRESS INC +8840|Journal of Global Optimization|Engineering / Mathematical optimization; Strategisch management; Methodologie; Optimisation mathématique|0925-5001|Monthly| |SPRINGER +8841|Journal of Graph Theory|Mathematics / Graph theory|0364-9024|Monthly| |JOHN WILEY & SONS INC +8842|Journal of Great Lakes Research|Plant & Animal Science / Hydrology; Limnology; Hydrologie; Limnologie|0380-1330|Quarterly| |ELSEVIER SCI LTD +8843|Journal of Green Building| |1552-6100|Quarterly| |COLL PUBL +8844|Journal of Grey System|Mathematics|0957-3720|Quarterly| |RESEARCH INFORMATION LTD +8845|Journal of Grid Computing|Computer Science / Computational grids (Computer systems)|1570-7873|Quarterly| |SPRINGER +8846|Journal of Group Theory|Mathematics / Group theory|1433-5883|Bimonthly| |WALTER DE GRUYTER & CO +8847|Journal of Guidance Control and Dynamics|Engineering / Airplanes; Space vehicles; Control theory|0731-5090|Bimonthly| |AMER INST AERONAUT ASTRONAUT +8848|Journal of Gynecologic Oncology|Clinical Medicine /|2005-0380|Quarterly| |KOREAN SOC GYNECOLOGY ONCOLOGY & COLPOSCOPY +8849|Journal of Hand Surgery-American Volume|Clinical Medicine / Hand; Handen; Chirurgie (geneeskunde) / Hand; Handen; Chirurgie (geneeskunde) / Hand; Handen; Chirurgie (geneeskunde)|0363-5023|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +8850|Journal of Hand Surgery-European Volume|Clinical Medicine / Hand; Periodicals|1753-1934|Bimonthly| |SAGE PUBLICATIONS LTD +8851|Journal of Hand Therapy|Clinical Medicine / Hand; Hand Deformities; Hand Injuries; Orthopedie; Handen|0894-1130|Quarterly| |HANLEY & BELFUS-ELSEVIER INC +8852|Journal of Happiness Studies|Psychiatry/Psychology / Quality of life; Happiness|1389-4978|Quarterly| |SPRINGER +8853|Journal of Hard Tissue Biology| |1341-7649|Quarterly| |JOURNAL HARD TISSUE BIOLOGY +8854|Journal of Hazardous Materials|Engineering / Hazardous substances; Hazardous Substances|0304-3894|Semimonthly| |ELSEVIER SCIENCE BV +8855|Journal of Head Trauma Rehabilitation|Social Sciences, general / Head; Craniocerebral Trauma; Tête|0885-9701|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +8856|Journal of Headache and Pain|Clinical Medicine / Headache; Migraine; Pain; Céphalée; Douleur|1129-2369|Bimonthly| |SPRINGER +8857|Journal of Health and Social Behavior|Social Sciences, general / Medicine; Mental illness; Psychology; Social Medicine; Sociology|0022-1465|Quarterly| |SAGE PUBLICATIONS INC +8858|Journal of Health Care for the Poor and Underserved|Social Sciences, general / Poor; Medically underserved areas; Health services accessibility; Health Services Accessibility; Medical Indigency; Medically Underserved Area|1049-2089|Quarterly| |JOHNS HOPKINS UNIV PRESS +8859|Journal of Health Communication|Social Sciences, general / Communication in medicine; Communication; Health; Health Education; Health Promotion; Health Services; Communication en médecine|1081-0730|Quarterly| |TAYLOR & FRANCIS INC +8860|Journal of Health Economics|Economics & Business / Medical economics; Medical care, Cost of; Delivery of Health Care; Economics, Hospital|0167-6296|Bimonthly| |ELSEVIER SCIENCE BV +8861|Journal of Health Politics Policy and Law|Social Sciences, general / Medical policy; Medical care; Medical laws and legislation; Health Policy; Politics; Gezondheidszorg; Gezondheidsrecht; Beleid; Politique sanitaire; Soins médicaux; Médecine|0361-6878|Bimonthly| |DUKE UNIV PRESS +8862|Journal of Health Population and Nutrition|Social Sciences, general /|1606-0997|Quarterly| |I C D D R B-CENTRE HEALTH POPULATION RESEARCH +8863|Journal of Health Psychology|Psychiatry/Psychology / Clinical health psychology; Medicine and psychology; Psychology, Clinical; Psychology, Medical; Medische psychologie|1359-1053|Bimonthly| |SAGE PUBLICATIONS LTD +8864|JOURNAL OF HEALTH SCIENCE|Clinical Medicine / Health; Medicine|1344-9702|Bimonthly| |PHARMACEUTICAL SOC JAPAN +8865|Journal of Health Services Research & Policy|Social Sciences, general / Health Policy; Health Services Research|1355-8196|Quarterly| |ROYAL SOC MEDICINE PRESS LTD +8866|Journal of Healthcare Management|Social Sciences, general|1096-9012|Bimonthly| |AMER COLL HEALTHCARE EXEC HEALTH ADMINISTRATION PRESS +8867|Journal of Heart and Lung Transplantation|Clinical Medicine / Heart; Lungs; Heart Transplantation; Lung Transplantation|1053-2498|Monthly| |ELSEVIER SCIENCE INC +8868|Journal of Heart Valve Disease|Clinical Medicine|0966-8519|Bimonthly| |I C R PUBLISHERS +8869|Journal of Heat Transfer-Transactions of the Asme|Engineering / Heat; Chaleur|0022-1481|Monthly| |ASME-AMER SOC MECHANICAL ENG +8870|Journal of Hebei University Natural Science Edition| |1000-1565|Bimonthly| |HEBEI UNIV +8871|Journal of Hellenic Studies|Greek philology; Inscriptions, Greek; Griekse oudheid; Hellenisme|0075-4269|Annual| |CAMBRIDGE UNIV PRESS +8872|Journal of Helminthology|Plant & Animal Science / Helminthology; Helminths|0022-149X|Quarterly| |CAMBRIDGE UNIV PRESS +8873|Journal of Hematology & Oncology|Clinical Medicine /|1756-8722|Irregular| |BIOMED CENTRAL LTD +8874|Journal of Hepato-Biliary-Pancreatic Sciences| |1868-6974|Bimonthly| |SPRINGER TOKYO +8875|Journal of Hepatology|Clinical Medicine / Liver; Liver Diseases|0168-8278|Monthly| |ELSEVIER SCIENCE BV +8876|Journal of Herbal Pharmacotherapy|Herbs; Materia medica, Vegetable; Evidence-based medicine; Medicine, Herbal; Evidence-Based Medicine; Plants, Medicinal|1522-8940|Quarterly| |INFORMA HEALTHCARE +8877|Journal of Herbs Spices and Medicinal Plants|Herbs; Spice plants; Medicinal plants; Materia medica, Vegetable; Plants, Medicinal; Spices|1049-6475|Quarterly| |HAWORTH PRESS INC +8878|Journal of Heredity|Molecular Biology & Genetics / Breeding; Plant breeding; Heredity; Genetics|0022-1503|Bimonthly| |OXFORD UNIV PRESS INC +8879|Journal of Herpetological Medicine and Surgery| |1529-9651|Quarterly| |ASSOC REPTIL VET +8880|Journal of Herpetology|Plant & Animal Science / Herpetology; Amphibians; Reptiles; Herpetologie|0022-1511|Quarterly| |SOC STUDY AMPHIBIANS REPTILES +8881|Journal of Heterocyclic Chemistry|Chemistry /|0022-152X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8882|Journal of Heuristics|Engineering / Heuristic programming|1381-1231|Bimonthly| |SPRINGER +8883|Journal of High Energy Physics|Physics / Particles (Nuclear physics)|1126-6708|Monthly| |SPRINGER +8884|Journal of Higher Education|Social Sciences, general / Education; Education, Higher; Universities; Hoger onderwijs|0022-1546|Bimonthly| |OHIO STATE UNIV PRESS +8885|Journal of Hill Research| |0970-7050|Semiannual| |SIKKIM SCIENCE SOC +8886|Journal of Himalayan Earth Sciences| |1994-3237|Annual| |UNIV PESHAWAR +8887|Journal of Histochemistry & Cytochemistry|Molecular Biology & Genetics / Histochemistry; Cytochemistry; Histochimie; Cytochimie; Histocytochemistry; Histological Techniques|0022-1554|Monthly| |HISTOCHEMICAL SOC INC +8888|Journal of Historical Geography|Social Sciences, general / Historical geography|0305-7488|Quarterly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8889|Journal of Historical Pragmatics|Social Sciences, general / Pragmatics; Historical linguistics; Pragmatiek; Historische taalwetenschap|1566-5852|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +8890|Journal of Historical Sociology|Social Sciences, general / Historical sociology; Social history|0952-1909|Quarterly| |WILEY-BLACKWELL PUBLISHING +8891|Journal of Histotechnology|Molecular Biology & Genetics|0147-8885|Quarterly| |NATL SOC HISTOTECHNOLOGY +8892|Journal of Hokkaido University of Education| |1344-2570|Semiannual| |HOKKAIDO UNIV EDUCATION +8893|Journal of Home Economics Research|Social Sciences, general|1118-0021|Annual| |HOME ECONONICS RESEARCH ASSOCIATION NIGERIA-HERAN +8894|Journal of Homeland Security and Emergency Management|Social Sciences, general /|1547-7355|Quarterly| |BERKELEY ELECTRONIC PRESS +8895|Journal of Homosexuality|Psychiatry/Psychology / Homosexuality; Homoseksualiteit; Homosexualité|0091-8369|Bimonthly| |HAWORTH PRESS INC +8896|Journal of Horticultural Science & Biotechnology|Plant & Animal Science|1462-0316|Bimonthly| |HEADLEY BROTHERS LTD +8897|Journal of Hospice & Palliative Nursing|Social Sciences, general / Hospice care; Palliative treatment; Nursing; Hospice Care; Palliative Care / Hospice care; Palliative treatment; Nursing; Hospice Care; Palliative Care|1522-2179|Weekly| |LIPPINCOTT WILLIAMS & WILKINS +8898|Journal of Hospital Infection|Clinical Medicine / Cross Infection; Ziekenhuisinfecties|0195-6701|Bimonthly| |W B SAUNDERS CO LTD +8899|Journal of Hospital Medicine|Clinical Medicine / Clinical medicine; Hospital care; Clinical Medicine; Hospitals; Hospitalists|1553-5592|Bimonthly| |JOHN WILEY & SONS INC +8900|Journal of Hospitality Leisure Sport & Tourism Education|Social Sciences, general /|1473-8376|Semiannual| |HOSPITALITY LEISURE SPORT & TOURISM NETWORK +8901|Journal of Housing Economics|Economics & Business / Housing|1051-1377|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +8902|Journal of Huazhong Agricultural University| |1000-2421|Bimonthly| |CHINA INT BOOK TRADING CORP +8903|Journal of Huazhong University of Science and Technology-Medical Sciences|Clinical Medicine /|1672-0733|Bimonthly| |SPRINGER +8904|Journal of Human Ecology| |0970-9274|Tri-annual| |KAMLA-RAJ ENTERPRISES +8905|Journal of Human Evolution|Social Sciences, general / Human evolution; Anatomy, Comparative; Anthropology; Evolution|0047-2484|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +8906|Journal of Human Genetics|Molecular Biology & Genetics / Medical genetics; Human genetics; Genetics, Medical|1434-5161|Monthly| |NATURE PUBLISHING GROUP +8907|Journal of Human Hypertension|Clinical Medicine / Hypertension|0950-9240|Monthly| |NATURE PUBLISHING GROUP +8908|Journal of Human Kinetics|Clinical Medicine /|1640-5544|Semiannual| |ACAD PHYSICAL EDUCATION-KATOWICE +8909|Journal of Human Lactation|Clinical Medicine / Breastfeeding; Lactation|0890-3344|Quarterly| |SAGE PUBLICATIONS INC +8910|Journal of Human Nutrition and Dietetics|Clinical Medicine / Nutrition; Dietetics|0952-3871|Bimonthly| |WILEY-BLACKWELL PUBLISHING +8911|Journal of Human Resources|Economics & Business / Manpower policy; Vocational education; Occupations; Vocational Education; Human Capital; Emploi; Enseignement professionnel|0022-166X|Quarterly| |UNIV WISCONSIN PRESS +8912|Journal of Human Rights|Human rights|1475-4835|Quarterly| |ROUTLEDGE JOURNALS +8913|Journal of Humanistic Psychology|Psychiatry/Psychology / Humanistic psychology; Psychology|0022-1678|Quarterly| |SAGE PUBLICATIONS INC +8914|Journal of Hydraulic Engineering-Asce|Engineering / Hydraulic engineering|0733-9429|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +8915|Journal of Hydraulic Research|Engineering / Hydraulic engineering|0022-1686|Bimonthly| |INT ASSOC HYDRAULIC RESEARCH +8916|Journal of Hydrodynamics|Engineering / Hydrodynamics / Hydrodynamics|1001-6058|Bimonthly| |ELSEVIER SCIENCE INC +8917|Journal of Hydroinformatics|Environment/Ecology / Hydrology; Geographic information systems|1464-7141|Quarterly| |I W A PUBLISHING +8918|Journal of Hydrologic Engineering|Engineering / Hydrology; Hydraulic engineering|1084-0699|Bimonthly| |ASCE-AMER SOC CIVIL ENGINEERS +8919|Journal of Hydrology|Engineering / Hydrology|0022-1694|Semimonthly| |ELSEVIER SCIENCE BV +8920|Journal of Hydrology and Hydromechanics|Engineering /|0042-790X|Quarterly| |VEDA +8921|Journal of Hydrology-New Zealand| |0022-1708|Semiannual| |NEW ZEALAND HYDROLOGICAL SOC +8922|Journal of Hydrometeorology|Geosciences / Hydrometeorology|1525-755X|Bimonthly| |AMER METEOROLOGICAL SOC +8923|Journal of Hygiene| |0022-1724|Bimonthly| |CAMBRIDGE UNIV PRESS +8924|Journal of Hymenoptera Research|Plant & Animal Science|1070-9428|Semiannual| |INT SOC HYMENOPTERISTS +8925|Journal of Hyperbolic Differential Equations|Mathematics / Differential equations, Hyperbolic|0219-8916|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +8926|Journal of Hypertension|Clinical Medicine / Hypertension; Hypertensie|0263-6352|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +8927|Journal of Iberian Geology|Geosciences|1698-6180|Semiannual| |SERVICIO PUBLICACIONES +8928|Journal of Imaging Science and Technology|Physics / Image processing; Photography; Image Enhancement; Technology; Traitement d'images; Photographie|1062-3701|Bimonthly| |I S & T - SOC IMAGING SCIENCE TECHNOLOGY +8929|Journal of Immigrant and Minority Health|Emigration and immigration; Minorities; Public health|1557-1912|Bimonthly| |SPRINGER +8930|Journal of Immunoassay & Immunochemistry|Immunology / Immunoassay; Immunochemistry / Immunoassay; Immunochemistry / Immunoassay; Immunochemistry|1532-1819|Quarterly| |TAYLOR & FRANCIS INC +8931|Journal of Immunological Methods|Immunology / Immunology; Allergy and Immunology; Antibodies; Antigens; Technology, Medical; Anticorps; Antigènes; Immunologie; Technologie médicale|0022-1759|Monthly| |ELSEVIER SCIENCE BV +8932|Journal of Immunology|Immunology /|0022-1767|Semimonthly| |AMER ASSOC IMMUNOLOGISTS +8933|Journal of Immunology Virus-Research & Experimental Chemotherapy| |1047-7381|Monthly| |AMER ASSOC IMMUNOLOGISTS +8934|Journal of Immunotherapy|Immunology / Biological response modifiers; Immunotherapy; Neoplasms / Immunotherapy; Neoplasms|1524-9557|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +8935|Journal of Immunotoxicology|Pharmacology & Toxicology / Immunotoxicology; Poisons; Environmental health; Immunity; Environmental Exposure|1547-691X|Quarterly| |INFORMA HEALTHCARE +8936|Journal of Imperial and Commonwealth History| |0308-6534|Tri-annual| |ROUTLEDGE JOURNALS +8937|Journal of Inclusion Phenomena and Macrocyclic Chemistry|Chemistry / Clathrate compounds; Molecular sieves; Molecular recognition; Biochemistry; Chemistry, Physical; Molecular Biology / Clathrate compounds; Molecular sieves; Molecular recognition; Biochemistry; Chemistry, Physical; Molecular Biology / Clathrat|0923-0750|Bimonthly| |SPRINGER +8938|Journal of Indian Philosophy|Philosophy, Indic|0022-1791|Bimonthly| |SPRINGER +8939|Journal of Individual Differences|Individual differences; Difference (Psychology); Individuality; Psychology|1614-0001|Quarterly| |HOGREFE & HUBER PUBLISHERS +8940|Journal of Indo-European Studies| |0092-2323|Semiannual| |INST STUDY MAN +8941|Journal of Industrial and Engineering Chemistry|Chemistry / Chemistry, Technical; Chemical engineering|1226-086X|Bimonthly| |ELSEVIER SCIENCE INC +8942|Journal of Industrial and Engineering Chemistry-Us| |0095-9014|Monthly| |AMER CHEMICAL SOC +8943|Journal of Industrial and Management Optimization|Economics & Business / Mathematical optimization; Industrial engineering; Industrial management|1547-5816|Quarterly| |AMER INST MATHEMATICAL SCIENCES +8944|Journal of Industrial Ecology|Environment/Ecology / Industrial ecology|1088-1980|Quarterly| |WILEY-BLACKWELL PUBLISHING +8945|Journal of Industrial Economics|Economics & Business / Industrial organization (Economic theory) / Industrial organization (Economic theory)|0022-1821|Quarterly| |WILEY-BLACKWELL PUBLISHING +8946|Journal of Industrial Microbiology & Biotechnology|Biology & Biochemistry / Industrial microbiology; Biotechnology; Industrial Microbiology|1367-5435|Monthly| |SPRINGER HEIDELBERG +8947|Journal of Industrial Relations|Economics & Business / Industrial relations|0022-1856|Bimonthly| |SAGE PUBLICATIONS INC +8948|Journal of Industrial Textiles|Materials Science / Coated fabrics|1528-0837|Quarterly| |SAGE PUBLICATIONS INC +8949|Journal of Inequalities and Applications|Mathematics /|1025-5834|Bimonthly| |HINDAWI PUBLISHING CORPORATION +8950|Journal of Infection|Immunology / Infection; Bacterial Infections; Communicable Diseases|0163-4453|Monthly| |W B SAUNDERS CO LTD +8951|Journal of Infection and Chemotherapy|Clinical Medicine / Chemotherapy; Infection; Drug Therapy; Chimiothérapie; Thérapeutique; Chemotherapie; Infectieziekten|1341-321X|Bimonthly| |SPRINGER TOKYO +8952|Journal of Infectious Diseases|Immunology / Medicine; Diseases; Communicable Diseases; Infectieziekten; Médecine; Étiologie; Maladies infectieuses|0022-1899|Monthly| |UNIV CHICAGO PRESS +8953|Journal of Inflammation-London|Immunology / Inflammation|1476-9255|Irregular| |BIOMED CENTRAL LTD +8954|Journal of Information Science|Social Sciences, general / Information science; Library science|0165-5515|Bimonthly| |SAGE PUBLICATIONS LTD +8955|Journal of Information Science and Engineering|Computer Science|1016-2364|Bimonthly| |INST INFORMATION SCIENCE +8956|Journal of Information Technology|Computer Science / Information technology; Technologie de l'information|0268-3962|Quarterly| |PALGRAVE MACMILLAN LTD +8957|Journal of Informetrics|Computer Science / Library statistics; Information science; Bibliometrics|1751-1577|Quarterly| |ELSEVIER SCIENCE BV +8958|JOURNAL OF INFRARED AND MILLIMETER WAVES|Physics / Infrared technology; Millimeter waves|1001-9014|Bimonthly| |SCIENCE CHINA PRESS +8959|Journal of Infrared Millimeter and Terahertz Waves|Engineering /|1866-6892|Monthly| |SPRINGER +8960|Journal of Infrastructure Systems|Engineering / Public works; Civil engineering; Structural engineering; Infrastructure (Economics)|1076-0342|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +8961|Journal of Inherited Metabolic Disease|Biology & Biochemistry / Metabolism, Inborn errors of; Metabolism, Inborn Errors|0141-8955|Bimonthly| |SPRINGER +8962|Journal of Innate Immunity|Immunology /|1662-811X|Bimonthly| |KARGER +8963|Journal of Inner Mongolia Normal University Natural Science| |1001-8735|Quarterly| |NEIMENGGU SHIDA XUEBAO +8964|Journal of Inorganic and Organometallic Polymers and Materials|Chemistry /|1574-1443|Quarterly| |SPRINGER +8965|Journal of Inorganic Biochemistry|Biology & Biochemistry / Bioinorganic chemistry; Biochemistry; Chemistry|0162-0134|Monthly| |ELSEVIER SCIENCE INC +8966|Journal of Inorganic Materials|Materials Science / Ceramics; Ceramic materials|1000-324X|Bimonthly| |SCIENCE CHINA PRESS +8967|Journal of Insect Behavior|Plant & Animal Science / Insects; Behavior, Animal; Insectes|0892-7553|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +8968|Journal of Insect Biotechnology and Sericology| |1346-8073|Tri-annual| |JAPANESE SOC SERICULTURAL SCIENCE +8969|Journal of Insect Conservation|Environment/Ecology / Insects; Wildlife conservation|1366-638X|Quarterly| |SPRINGER +8970|Journal of Insect Physiology|Plant & Animal Science / Insects|0022-1910|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +8971|Journal of Insect Science|Plant & Animal Science / Insects; Entomology; Arthropods; Biology; Ecology; Entomologie|1536-2442|Irregular| |University of Arizona +8972|Journal of Insect Science-Ludhiana| |0970-3837|Semiannual| |INDIAN SOC ADVANCEMENT INSECT SCIENCE +8973|Journal of Institutional and Theoretical Economics-Zeitschrift fur die Gesamte Staatswissenschaft|Economics & Business / Social sciences; Political science; Economics; Institutional economics; Economie; Institutionalisme|0932-4569|Quarterly| |J C B MOHR +8974|Journal of Instrumentation|Chemistry /|1748-0221|Monthly| |IOP PUBLISHING LTD +8975|Journal of Integral Equations and Applications|Mathematics / Integral equations|0897-3962|Quarterly| |ROCKY MT MATH CONSORTIUM +8976|Journal of Integrative Neuroscience|Neuroscience & Behavior / Neurophysiology; Neurosciences|0219-6352|Quarterly| |IMPERIAL COLLEGE PRESS +8977|Journal of Integrative Plant Biology|Plant & Animal Science / Plants|1672-9072|Monthly| |WILEY-BLACKWELL PUBLISHING +8978|Journal of Intellectual & Developmental Disability|Psychiatry/Psychology / Learning disabilities; Developmental disabilities; Mental retardation; Developmental Disabilities; Mental Retardation; Apprentissage, Troubles de l'; Déficience intellectuelle|1366-8250|Quarterly| |TAYLOR & FRANCIS LTD +8979|Journal of Intellectual Disability Research|Social Sciences, general / Mental retardation; Mental Retardation|0964-2633|Monthly| |WILEY-BLACKWELL PUBLISHING +8980|Journal of Intellectual Property Rights|Social Sciences, general|0971-7544|Bimonthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +8981|Journal of Intelligent & Fuzzy Systems|Engineering|1064-1246|Bimonthly| |IOS PRESS +8982|Journal of Intelligent & Robotic Systems|Engineering / Robotics; Manipulators (Mechanism) / Robotics; Manipulators (Mechanism)|0921-0296|Monthly| |SPRINGER +8983|Journal of Intelligent Information Systems|Computer Science / Database management; Expert systems (Computer science); Artificial intelligence|0925-9902|Bimonthly| |SPRINGER +8984|Journal of Intelligent Manufacturing|Engineering / Manufacturing processes; Artificial intelligence; Production management|0956-5515|Bimonthly| |SPRINGER +8985|Journal of Intelligent Material Systems and Structures|Materials Science / Smart materials; Intelligent control systems; Artificial intelligence|1045-389X|Monthly| |SAGE PUBLICATIONS LTD +8986|Journal of Intelligent Transportation Systems|Engineering / Highway communications; Intelligent Vehicle Highway Systems; Automobiles / Highway communications; Intelligent Vehicle Highway Systems; Automobiles|1547-2450|Quarterly| |TAYLOR & FRANCIS INC +8987|Journal of Intensive Care Medicine|Clinical Medicine / Critical Care|0885-0666|Bimonthly| |SAGE PUBLICATIONS INC +8988|Journal of Interactive Marketing|Economics & Business / Direct marketing; Internet marketing|1094-9968|Quarterly| |ELSEVIER SCIENCE INC +8989|Journal of Interdisciplinary History|Social Sciences, general / History / History|0022-1953|Quarterly| |M I T PRESS +8990|Journal of Interferon and Cytokine Research|Immunology / Interferon; Cytokines; Interferons; Interferonen; Cytokinen|1079-9907|Monthly| |MARY ANN LIEBERT INC +8991|Journal of Internal Medicine|Clinical Medicine / Medicine; Internal medicine; Internal Medicine / /|0954-6820|Monthly| |WILEY-BLACKWELL PUBLISHING +8992|Journal of International Advanced Otology|Clinical Medicine|1308-7649|Tri-annual| |MEDITERRANEAN SOC OTOLOGY & AUDIOLOGY +8993|Journal of International Business Studies|Economics & Business / International business enterprises; International economic relations; Relations économiques internationales; Commerce|0047-2506|Monthly| |PALGRAVE MACMILLAN LTD +8994|Journal of International Development|Social Sciences, general / Economic development projects; Economic development|0954-1748|Bimonthly| |JOHN WILEY & SONS LTD +8995|Journal of International Economic Law|Economics & Business / Foreign trade regulation; Tariff; International economic relations|1369-3034|Quarterly| |OXFORD UNIV PRESS +8996|Journal of International Economics|Economics & Business / International economic relations; Commerce|0022-1996|Bimonthly| |ELSEVIER SCIENCE BV +8997|Journal of International Food & Agribusiness Marketing|Food supply; Aliments|0897-4438|Quarterly| |HAWORTH PRESS INC +8998|Journal of International Management|Economics & Business / International business enterprises|1075-4253|Quarterly| |ELSEVIER SCIENCE BV +8999|Journal of International Marketing|Economics & Business / Export marketing|1069-031X|Quarterly| |AMER MARKETING ASSOC +9000|Journal of International Medical Research|Clinical Medicine|0300-0605|Bimonthly| |FIELD HOUSE PUBLISHING LLP +9001|Journal of International Money and Finance|Economics & Business / International finance; Foreign exchange|0261-5606|Bimonthly| |ELSEVIER SCI LTD +9002|Journal of International Relations| |0148-8937|Quarterly| |CLARK UNIV PRESS +9003|Journal of International Relations and Development|Social Sciences, general / Economic development; International relations; Economic assistance|1408-6980|Quarterly| |PALGRAVE MACMILLAN LTD +9004|Journal of International Trade & Economic Development|Economics & Business / International trade; Economic development / International trade; Economic development / International trade; Economic development|0963-8199|Quarterly| |ROUTLEDGE JOURNALS +9005|Journal of International Wildlife Law and Policy|Wildlife conservation (International law); Wildlife conservation; Environnement; Faune; Internationaal milieurecht / Wildlife conservation (International law); Wildlife conservation; Environnement; Faune; Internationaal milieurecht|1388-0292|Tri-annual| |TAYLOR & FRANCIS INC +9006|Journal of Internet Technology|Computer Science|1607-9264|Quarterly| |NATIONAL DONG HWA UNIV +9007|Journal of Interpersonal Violence|Social Sciences, general / Violence; Sex crimes; Interpersonal Relations|0886-2605|Monthly| |SAGE PUBLICATIONS INC +9008|Journal of Interprofessional Care|Holistic medicine; Medical cooperation; Health care teams; Holistic Health; Interprofessional Relations; Patient Care Team|1356-1820|Bimonthly| |INFORMA HEALTHCARE +9009|Journal of Interventional Cardiac Electrophysiology|Clinical Medicine / Arrhythmia; Cardiac Pacing, Artificial; Electrophysiology|1383-875X|Quarterly| |SPRINGER +9010|Journal of Interventional Cardiology|Clinical Medicine / Cardiology; Heart; Heart Diseases|0896-4327|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9011|Journal of Intravenous Nursing| |0896-5846|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9012|Journal of Inverse and Ill-Posed Problems|Mathematics / Inverse problems (Differential equations); Numerical analysis|0928-0219|Monthly| |WALTER DE GRUYTER & CO +9013|Journal of Invertebrate Pathology|Plant & Animal Science / Invertebrates; Insects|0022-2011|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9014|Journal of Investigational Allergology and Clinical Immunology|Clinical Medicine|1018-9068|Bimonthly| |ESMON PUBLICIDAD S A +9015|Journal of Investigative Dermatology|Clinical Medicine / Skin; Dermatology, Experimental; Dermatology|0022-202X|Monthly| |NATURE PUBLISHING GROUP +9016|Journal of Investigative Dermatology Symposium Proceedings|Clinical Medicine / Dermatology; Dermatology, Experimental; Skin Diseases|1087-0024|Irregular| |NATURE PUBLISHING GROUP +9017|Journal of Investigative Medicine|Clinical Medicine /|1081-5589|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9018|Journal of Investigative Surgery|Clinical Medicine / Surgery; Surgery, Experimental; Animals, Laboratory; Research|0894-1939|Bimonthly| |TAYLOR & FRANCIS INC +9019|Journal of Iron and Steel Research International|Materials Science /|1006-706X|Semiannual| |JOURNAL IRON STEEL RESEARCH EDITORIAL BOARD +9020|Journal of Irrigation and Drainage Engineering-Asce|Engineering / Irrigation engineering; Drainage; Irrigation; IRRIGATION; DRAINAGE|0733-9437|Bimonthly| |ASCE-AMER SOC CIVIL ENGINEERS +9021|Journal of Islamic Studies|Civilization, Islamic; Islam|0955-2340|Tri-annual| |OXFORD UNIV PRESS +9022|Journal of Israeli History|Social Sciences, general / Zionism; Jews / Zionism; Jews|1353-1042|Semiannual| |ROUTLEDGE JOURNALS +9023|Journal of Japanese Botany| |0022-2062|Quarterly| |TSUMURA LABORATORY +9024|Journal of Japanese Society of Hospital Pharmacists| |1341-8815|Monthly| |JAPANESE SOC HOSPITAL PHARMACISTS +9025|Journal of Japanese Society of Tribologists|Engineering|0915-1168|Monthly| |JAPAN SOC TRIBOLOGISTS +9026|Journal of Japanese Studies|Social Sciences, general /|0095-6848|Semiannual| |SOC JAPANESE STUD +9027|Journal of Jewish Studies| |0022-2097|Semiannual| |OXFORD CENTRE HEBREW JEWISH STUDIES +9028|Journal of Jewish Thought & Philosophy|Judaism; Philosophy, Jewish; Filosofie; Joden / Judaism; Philosophy, Jewish; Filosofie; Joden|1053-699X|Tri-annual| |BRILL ACADEMIC PUBLISHERS +9029|Journal of Jilin Agricultural University| |1000-5684|Bimonthly| |JILIN AGRICULTURAL UNIV +9030|Journal of Jilin University-Earth Science Edition| |1671-5888|Quarterly| |CHINA INT BOOK TRADING CORP +9031|Journal of Jinan University| |1000-9965|Bimonthly| |JINAN UNIV +9032|Journal of Jishou University| |1007-2985|Quarterly| |JISHOU UNIV +9033|Journal of Juristic Papyrology| |0075-4277|Annual| |WARSAW UNIV +9034|Journal of K-Theory|Mathematics|1865-2433|Bimonthly| |CAMBRIDGE UNIV PRESS +9035|Journal of Kansas Herpetology| |1540-773X|Quarterly| |KANSAS HERPETOLOGICAL SOC +9036|Journal of King Abdulaziz University-Marine Sciences| |1012-8840|Annual| |KING ABDULAZIZ UNIV +9037|Journal of King Saud University Science| |1018-3647|Semiannual| |KING SAUD UNIV ACADEMIC PUBL & PRESS +9038|Journal of Knot Theory and Its Ramifications|Mathematics / Knot theory|0218-2165|Monthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +9039|Journal of Knowledge Management|Social Sciences, general / Knowledge management|1367-3270|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +9040|Journal of Korea Trade|Economics & Business|1229-828X|Semiannual| |KOREA TRADE RESEARCH ASSOC +9041|Journal of Korean Academy of Nursing|Social Sciences, general /|2005-3673|Bimonthly| |KOREAN SOC NURSING SCIENCE +9042|Journal of Korean Forestry Society| |0445-4650|Quarterly| |KOREAN FORESTRY SOC +9043|Journal of Korean Medical Science|Clinical Medicine / Medicine|1011-8934|Bimonthly| |KOREAN ACAD MEDICAL SCIENCES +9044|Journal of Korean Neurosurgical Society|Clinical Medicine /|2005-3711|Monthly| |KOREAN NEUROSURGICAL SOC +9045|Journal of Korean Studies| |0731-1613|Annual| |ROWMAN & LITTLEFIELD PUBL GRP INC +9046|Journal of Labelled Compounds & Radiopharmaceuticals|Chemistry / Tracers (Chemistry); Radiopharmaceuticals; Pharmacy; Radioisotopes; Radiofarmaca|0362-4803|Monthly| |JOHN WILEY & SONS LTD +9047|Journal of Labor Economics|Economics & Business / Labor economics; Labor|0734-306X|Quarterly| |UNIV CHICAGO PRESS +9048|Journal of Labor Research|Economics & Business / Labor unions; Labor economics; Industrial relations; Arbeidseconomie; Travailleurs; Travail; Économie du travail|0195-3613|Quarterly| |SPRINGER +9049|Journal of Land and Public Utility Economics|Land use; Agriculture; Public utilities|1548-9000|Quarterly| |INST RESEARCH LAND ECONOMICS & PUBLIC UTILITIES +9050|Journal of Language and Politics|Social Sciences, general / Language and languages|1569-2159|Tri-annual| |JOHN BENJAMINS PUBLISHING COMPANY +9051|Journal of Language and Social Psychology|Psychiatry/Psychology / Sociolinguistics; Psycholinguistics; Psycholinguistique; Psychologie sociale; Taal; Sociale psychologie|0261-927X|Quarterly| |SAGE PUBLICATIONS INC +9052|Journal of Language Identity and Education|Social Sciences, general / Language and culture; Language and languages|1534-8458|Quarterly| |ROUTLEDGE JOURNALS +9053|Journal of Lanzhou University Natural Sciences| |0455-2059|Bimonthly| |CHINA INT BOOK TRADING CORP +9054|Journal of Laparoendoscopic & Advanced Surgical Techniques|Clinical Medicine / Endoscopy; Laparoscopy|1092-6429|Bimonthly| |MARY ANN LIEBERT INC +9055|Journal of Laryngology and Otology|Clinical Medicine / Otolaryngology|0022-2151|Monthly| |CAMBRIDGE UNIV PRESS +9056|Journal of Laser Applications|Physics / Lasers|1042-346X|Quarterly| |LASER INST AMER +9057|Journal of Laser Micro Nanoengineering|Engineering /|1880-0688|Tri-annual| |JAPAN LASER PROCESSING SOC +9058|Journal of Latin American Cultural Studies| |1356-9325|Tri-annual| |ROUTLEDGE JOURNALS +9059|Journal of Latin American Studies|Social Sciences, general /|0022-216X|Quarterly| |CAMBRIDGE UNIV PRESS +9060|Journal of Law & Economics|Economics & Business / Law; Economics; Law and economics; Rechtseconomie; Droit; Économie politique; LAW; ECONOMICS|0022-2186|Quarterly| |UNIV CHICAGO PRESS +9061|Journal of Law and Society|Social Sciences, general / Sociological jurisprudence; Rechtssociologie; Sociologie juridique|0263-323X|Quarterly| |WILEY-BLACKWELL PUBLISHING +9062|Journal of Law Economics & Organization|Economics & Business / Law; Economics; Organization; Jurisprudence; Rechtseconomie; Economisch recht; Economie; Économie politique; Organisation; Droit|8756-6222|Semiannual| |OXFORD UNIV PRESS INC +9063|Journal of Law Medicine & Ethics|Social Sciences, general / Medical laws and legislation; Medical care; Medical ethics; Delivery of Health Care; Ethics, Medical; Jurisprudence; Legislation, Medical; Medicine; Nursing; Médecine; Soins médicaux; Éthique médicale; Gezondheidsrecht; Medisch|1073-1105|Quarterly| |WILEY-BLACKWELL PUBLISHING +9064|Journal of Learning Disabilities|Social Sciences, general / Learning disabilities; Learning disabled; Learning Disorders|0022-2194|Bimonthly| |SAGE PUBLICATIONS INC +9065|Journal of Legal Education|Social Sciences, general|0022-2208|Quarterly| |SOUTHWESTERN LAW SCH +9066|Journal of Legal History|Law|0144-0365|Quarterly| |ROUTLEDGE JOURNALS +9067|Journal of Legal Medicine|Social Sciences, general / Medical laws and legislation; Medical jurisprudence; Forensic Medicine; Jurisprudence; Gezondheidsrecht; Medische ethiek|0194-7648|Quarterly| |TAYLOR & FRANCIS INC +9068|Journal of Legal Studies|Social Sciences, general / Law; Droit; Rechtstheorie; Rechtswetenschap|0047-2530|Semiannual| |UNIV CHICAGO PRESS +9069|Journal of Leisure Research|Social Sciences, general|0022-2216|Quarterly| |NATL RECREATION PARK ASSOC +9070|Journal of Leukocyte Biology|Immunology / Leucocytes; Reticulo-endothelial system; Leukocytes|0741-5400|Monthly| |FEDERATION AMER SOC EXP BIOL +9071|Journal of Liberal Arts and Sciences Sapporo Medical University School of Medicine| |1343-0920|Annual| |SAPPORO MEDICAL UNIV +9072|Journal of Librarianship and Information Science|Social Sciences, general / Library science; Bibliotheekwetenschap; Informatiewetenschap|0961-0006|Quarterly| |SAGE PUBLICATIONS LTD +9073|Journal of Lie Theory|Mathematics|0949-5932|Quarterly| |HELDERMANN VERLAG +9074|Journal of Lightwave Technology|Physics / Fiber optics; Optical wave guides; Optique des fibres|0733-8724|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +9075|Journal of Limnology|Plant & Animal Science|1129-5767|Semiannual| |CNR IST ITALIANO IDROBIOLOGIA +9076|Journal of Linguistic Anthropology|Social Sciences, general / Anthropological linguistics; Antropologische linguïstiek|1055-1360|Semiannual| |WILEY-BLACKWELL PUBLISHING +9077|Journal of Linguistics|Social Sciences, general / Linguistics|0022-2267|Tri-annual| |CAMBRIDGE UNIV PRESS +9078|Journal of Lipid Research|Biology & Biochemistry / Lipids|0022-2275|Monthly| |AMER SOC BIOCHEMISTRY MOLECULAR BIOLOGY INC +9079|Journal of Liposome Research|Biology & Biochemistry / Liposomes|0898-2104|Quarterly| |TAYLOR & FRANCIS INC +9080|Journal of Liquid Chromatography & Related Technologies|Chemistry / Liquid chromatography; Chromatographic analysis; Separation (Technology); Biotechnology; Chromatography, Liquid; Vloeistofchromatografie / Liquid chromatography; Chromatographic analysis; Separation (Technology); Biotechnology; Chromatography|1082-6076|Semimonthly| |TAYLOR & FRANCIS INC +9081|Journal of Literacy Research|Social Sciences, general / Reading; Literacy|1086-296X|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +9082|Journal of Literary Semantics|Literature; Semantics|0341-7638|Semiannual| |MOUTON DE GRUYTER +9083|Journal of Logic and Algebraic Programming|Computer Science / Logic programming; Computer programming; Programmation logique; Programmation (Informatique); Wiskundige logica; Software|1567-8326|Bimonthly| |ELSEVIER SCIENCE INC +9084|Journal of Logic and Computation|Computer Science / Logic programming; Logic, Symbolic and mathematical; Computational complexity|0955-792X|Bimonthly| |OXFORD UNIV PRESS +9085|Journal of Long-Term Effects of Medical Implants|Clinical Medicine / Prostheses and Implants|1050-6934|Bimonthly| |BEGELL HOUSE INC +9086|Journal of Loss & Trauma|Psychiatry/Psychology / Loss (Psychology); Adjustment (Psychology); Life change events; Interpersonal relations; Bereavement; Adaptation, Psychological; Interpersonal Relations; Life Change Events; Wounds and Injuries / Loss (Psychology); Adjustment (Psy|1532-5024|Quarterly| |TAYLOR & FRANCIS INC +9087|Journal of Loss Prevention in the Process Industries|Chemistry / Chemical industry|0950-4230|Bimonthly| |ELSEVIER SCI LTD +9088|Journal of Low Frequency Noise Vibration and Active Control|Physics /|0263-0923|Quarterly| |MULTI-SCIENCE PUBL CO LTD +9089|Journal of Low Temperature Physics|Physics / Low temperatures; Lage temperatuur; Natuurkunde|0022-2291|Monthly| |SPRINGER/PLENUM PUBLISHERS +9090|Journal of Lower Genital Tract Disease|Clinical Medicine / Cervix Diseases; Colposcopy; Genital Diseases, Female; Genital Diseases, Male|1089-2591|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +9091|Journal of Luminescence|Physics / Luminescence; Luminescentie; Aangeslagen toestanden; Vastestoffysica|0022-2313|Monthly| |ELSEVIER SCIENCE BV +9092|Journal of Machine Learning Research|Computer Science / Machine learning|1532-4435|Bimonthly| |MICROTOME PUBL +9093|Journal of Macroeconomics|Economics & Business / Macroeconomics; Macro-economie; Macroéconomie|0164-0704|Quarterly| |LOUISIANA STATE UNIV PR +9094|Journal of Macromarketing|Marketing|0276-1467|Quarterly| |SAGE PUBLICATIONS INC +9095|Journal of Macromolecular Science Part A-Pure and Applied Chemistry|Chemistry / Polymers; Polymerization; Polymères; Macromolécules / Polymers; Polymerization; Polymères; Macromolécules / Polymers; Polymerization; Polymères; Macromolécules|1060-1325|Monthly| |TAYLOR & FRANCIS INC +9096|Journal of Macromolecular Science Part B-Physics|Chemistry / Polymers; Polymerization / Polymers; Polymerization / Polymers; Polymerization|0022-2348|Bimonthly| |TAYLOR & FRANCIS INC +9097|Journal of Magnetic Resonance|Chemistry / Nuclear magnetic resonance; Magnetic Resonance Spectroscopy|1090-7807|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9098|Journal of Magnetic Resonance Imaging|Clinical Medicine / Magnetic resonance imaging; Magnetic Resonance Imaging|1053-1807|Monthly| |JOHN WILEY & SONS INC +9099|Journal of Magnetics|Engineering /|1226-1750|Quarterly| |KOREAN MAGNETICS SOC +9100|Journal of Magnetism and Magnetic Materials|Physics / Magnetism; Magnetic materials|0304-8853|Semimonthly| |ELSEVIER SCIENCE BV +9101|Journal of Maharashtra Agricultural Universities| |0378-2395|Tri-annual| |COLL AGRICULTURE +9102|Journal of Mammalian Evolution|Plant & Animal Science / Mammals; Evolution (Biology); Evolution; Zoogdieren; Evolutie|1064-7554|Quarterly| |SPRINGER +9103|Journal of Mammalogy|Plant & Animal Science / Mammals|0022-2372|Bimonthly| |ALLIANCE COMMUNICATIONS GROUP DIVISION ALLEN PRESS +9104|Journal of Mammary Gland Biology and Neoplasia|Clinical Medicine / Breast; Mammary glands; Breast Neoplasms; Mammary Glands, Animal; Mammary Neoplasms, Animal|1083-3021|Quarterly| |SPRINGER/PLENUM PUBLISHERS +9105|Journal of Managed Care Pharmacy|Social Sciences, general|1083-4087|Monthly| |ACAD MANAGED CARE PHARMACY +9106|Journal of Management|Economics & Business / Management; Gestion|0149-2063|Bimonthly| |SAGE PUBLICATIONS INC +9107|Journal of Management & Organization|Economics & Business /|1833-3672|Quarterly| |ECONTENT MANAGEMENT +9108|Journal of Management in Engineering|Engineering / Engineering|0742-597X|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +9109|Journal of Management Information Systems|Computer Science / Management information systems; Electronic data processing; Systèmes d'information de gestion|0742-1222|Quarterly| |M E SHARPE INC +9110|Journal of Management Inquiry|Economics & Business / Management; Organizational behavior|1056-4926|Quarterly| |SAGE PUBLICATIONS INC +9111|Journal of Management Studies|Economics & Business / Industrial management|0022-2380|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9112|Journal of Managerial Psychology|Psychiatry/Psychology / Organizational behavior; Management; Psychology, Industrial; Industrial management|0268-3946|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +9113|Journal of Manipulative and Physiological Therapeutics|Clinical Medicine / Manipulation (Therapeutics); Therapeutics, Physiological; Chiropractic|0161-4754|Monthly| |MOSBY-ELSEVIER +9114|Journal of Manufacturing Science and Engineering-Transactions of the Asme|Engineering / Production engineering; Manufacturing processes; Production, Technique de la|1087-1357|Quarterly| |ASME-AMER SOC MECHANICAL ENG +9115|Journal of Manufacturing Systems|Engineering / Manufacturing processes; Production management|0278-6125|Bimonthly| |SOC MANUFACTURING ENGINEERS +9116|Journal of Maps|Social Sciences, general /|1744-5647|Irregular| |JOURNAL MAPS +9117|Journal of Marine Animals and Their Ecology| |1911-8929|Quarterly| |OCEANOGRAPHIC ENVIRONMENTAL RES SOC-OERS +9118|Journal of Marine Biology| |1687-9481|Irregular| |HINDAWI PUBLISHING CORPORATION +9119|Journal of Marine Engineering and Technology|Engineering|1476-1548|Semiannual| |INST MARINE ENGINEERING +9120|Journal of Marine Research|Plant & Animal Science / Marine biology; Oceanografie; Biologie marine|0022-2402|Bimonthly| |SEARS FOUNDATION MARINE RESEARCH +9121|Journal of Marine Science and Technology|Engineering / Marine sciences; Naval architecture; Ocean engineering; Marine engineering|0948-4280|Quarterly| |SPRINGER TOKYO +9122|Journal of Marine Science and Technology-Taiwan|Geosciences|1023-2796|Quarterly| |NATL TAIWAN OCEAN UNIV +9123|Journal of Marine Systems|Plant & Animal Science / Oceanography; Marine sciences; Ocean engineering|0924-7963|Monthly| |ELSEVIER SCIENCE BV +9124|Journal of Marital and Family Therapy|Psychiatry/Psychology / Marriage counseling; Family psychotherapy; Counseling; Family; Family Therapy; Marriage; Gezinstherapie; Conseil conjugal; Thérapie familiale|0194-472X|Quarterly| |AMER ASSOC MARRIAGE FAMILY THERAPY +9125|Journal of Maritime Archaeology|Underwater archaeology|1557-2285|Semiannual| |SPRINGER +9126|Journal of Maritime Law and Commerce|Social Sciences, general|0022-2410|Quarterly| |JEFFERSON LAW BOOK COMPANY +9127|Journal of Marketing|Economics & Business / Marketing|0022-2429|Quarterly| |AMER MARKETING ASSOC +9128|Journal of Marketing Research|Economics & Business / Marketing research; Marketing|0022-2437|Bimonthly| |AMER MARKETING ASSOC +9129|Journal of Marriage and the Family|Social Sciences, general / Family; Marriage; Social problems; Famille; Mariage; Problèmes sociaux; Gezin; Huwelijk / Family; Marriage; Social problems; Famille; Mariage; Problèmes sociaux; Gezin; Huwelijk|0022-2445|Quarterly| |WILEY-BLACKWELL PUBLISHING +9130|Journal of Mass Media Ethics|Mass media; Journalistic ethics|0890-0523|Quarterly| |ROUTLEDGE JOURNALS +9131|Journal of Mass Spectrometry|Chemistry / Mass spectrometry; Spectrum Analysis, Mass|1076-5174|Monthly| |JOHN WILEY & SONS LTD +9132|Journal of Material Culture|Social Sciences, general / Material culture|1359-1835|Tri-annual| |SAGE PUBLICATIONS LTD +9133|Journal of Material Cycles and Waste Management|Environment/Ecology /|1438-4957|Semiannual| |SPRINGER +9134|Journal of Materials Chemistry|Materials Science / Materials science; Materials; Materiaalkunde; Chemie|0959-9428|Weekly| |ROYAL SOC CHEMISTRY +9135|Journal of Materials Engineering and Performance|Materials Science / Materials; Materials science; Metal-work|1059-9495|Bimonthly| |SPRINGER +9136|Journal of Materials in Civil Engineering|Engineering / Materials; Building materials; Matériaux; Construction|0899-1561|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +9137|Journal of Materials Processing Technology|Materials Science / Metal-work|0924-0136|Semimonthly| |ELSEVIER SCIENCE SA +9138|Journal of Materials Research|Materials Science / Materials; Matériaux|0884-2914|Monthly| |MATERIALS RESEARCH SOC +9139|Journal of Materials Science|Materials Science / Materials; Materiaalkunde|0022-2461|Semimonthly| |SPRINGER +9140|Journal of Materials Science & Technology|Materials Science /|1005-0302|Bimonthly| |JOURNAL MATER SCI TECHNOL +9141|Journal of Materials Science-Materials in Electronics|Materials Science / Electronics; Électronique|0957-4522|Monthly| |SPRINGER +9142|Journal of Materials Science-Materials in Medicine|Materials Science / Biomedical materials; Biocompatible Materials; Biomedical Engineering; Biomatériaux|0957-4530|Monthly| |SPRINGER +9143|Journal of Maternal-Fetal & Neonatal Medicine|Clinical Medicine / Obstetrics; Perinatology; Newborn infants; Neonatology; Fetal Diseases; Perinatal Care; Pregnancy Complications; Zwangerschap; Foetussen; Perinatale geneeskunde; Pasgeborenen|1476-7058|Monthly| |TAYLOR & FRANCIS LTD +9144|Journal of Mathematical Analysis and Applications|Mathematics / Mathematical analysis; Analyse (wiskunde); Wiskundige methoden; Analyse mathématique|0022-247X|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9145|Journal of Mathematical Biology|Mathematics / Biomathematics; Biometry; Models, Biological|0303-6812|Bimonthly| |SPRINGER +9146|Journal of Mathematical Chemistry|Chemistry / Chemistry|0259-9791|Bimonthly| |SPRINGER +9147|Journal of Mathematical Economics|Economics & Business / Economics, Mathematical; Wiskundige economie; Mathématiques économiques; MATHEMATICAL ECONOMICS|0304-4068|Bimonthly| |ELSEVIER SCIENCE SA +9148|Journal of Mathematical Fluid Mechanics|Physics / Fluid mechanics; Navier-Stokes equations; Mathematische fysica; Vloeistofmechanica|1422-6928|Quarterly| |BIRKHAUSER VERLAG AG +9149|Journal of Mathematical Imaging and Vision|Engineering / Image processing; Vision; Computer vision|0924-9907|Bimonthly| |SPRINGER +9150|Journal of Mathematical Logic|Mathematics / Logic, Symbolic and mathematical; Wiskundige logica|0219-0613|Semiannual| |WORLD SCIENTIFIC PUBL CO PTE LTD +9151|Journal of Mathematical Physics|Physics / Mathematical physics; Mathematische fysica; Physique mathématique|0022-2488|Monthly| |AMER INST PHYSICS +9152|Journal of Mathematical Physics Analysis Geometry|Mathematics|1812-9471|Quarterly| |B VERKIN INST LOW TEMPERATURE PHYSICS & ENGINEERING +9153|Journal of Mathematical Psychology|Psychiatry/Psychology / Psychometrics; Psychology|0022-2496|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9154|Journal of Mathematical Sciences-The University of Tokyo|Mathematics|1340-5705|Quarterly| |GRADUATE SCH MATHEMATICAL SCIENCES UNIV TOKYO +9155|Journal of Mathematical Sociology|Social Sciences, general / Sociology / Sociology|0022-250X|Quarterly| |TAYLOR & FRANCIS INC +9156|Journal of Mathematics and Music|Mathematics / Music; Music theory; Composition (Music)|1745-9737|Tri-annual| |TAYLOR & FRANCIS LTD +9157|Journal of Mathematics of Kyoto University|Mathematics|0023-608X|Quarterly| |DUKE UNIV PRESS +9158|Journal of Mechanical Design|Engineering / Engineering design; Design; Automatisation; Mécanismes; Vibration; Acoustique appliquée; Génie mécanique|1050-0472|Monthly| |ASME-AMER SOC MECHANICAL ENG +9159|Journal of Mechanical Science and Technology|Engineering / Mechanical engineering|1738-494X|Monthly| |KOREAN SOC MECHANICAL ENGINEERS +9160|Journal of Mechanics|Engineering|1727-7191|Quarterly| |SOC THEORETICAL APPLIED MECHANICS +9161|Journal of Mechanics in Medicine and Biology|Molecular Biology & Genetics / Biomechanics; Biomedical engineering; Biology; Mechanics; Medicine|0219-5194|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +9162|Journal of Mechanics of Materials and Structures|Engineering /|1559-3959|Monthly| |MATHEMATICAL SCIENCE PUBL +9163|Journal of Media Economics|Social Sciences, general / Mass media; Mass media policy|0899-7764|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +9164|Journal of Medical and Biological Engineering|Biology & Biochemistry|1609-0985|Quarterly| |INST BIOMEDICAL ENGINEERING +9165|Journal of Medical and Biological Sciences| |1934-7189|Quarterly| |SCI J INT-SJI +9166|Journal of Medical and Dental Sciences| |1342-8810|Quarterly| |TOKYO MEDICAL DENTAL UNIV +9167|Journal of Medical Biochemistry|Biology & Biochemistry / Biochemistry; Chemistry, Clinical|1452-8258|Quarterly| |VERSITA +9168|Journal of Medical Biography|Medicine; History of Medicine; Patients; Physicians; Surgery|0967-7720|Quarterly| |ROYAL SOC MEDICINE PRESS LTD +9169|Journal of Medical Economics|Medical economics; Medical care|1369-6998|Irregular| |INFORMA HEALTHCARE +9170|Journal of Medical Education| |0022-2577|Monthly| |ASSOC AMER MEDICAL COLLEGES +9171|Journal of Medical Engineering & Technology|Clinical Medicine / Biomedical engineering; Medical technology; Biomedical Engineering; Equipment and Supplies; Technology, Medical; Medische fysica|0309-1902|Bimonthly| |TAYLOR & FRANCIS LTD +9172|Journal of Medical Entomology|Plant & Animal Science / Insects as carriers of disease; Entomology; Insecten; Medische aspecten; Insectes (Vecteurs de maladies)|0022-2585|Bimonthly| |ENTOMOLOGICAL SOC AMER +9173|Journal of Medical Ethics|Social Sciences, general / Medical ethics; Ethics, Medical; Medische ethiek; Éthique médicale|0306-6800|Monthly| |B M J PUBLISHING GROUP +9174|Journal of Medical Genetics|Clinical Medicine /|0022-2593|Monthly| |B M J PUBLISHING GROUP +9175|Journal of Medical Imaging and Radiation Oncology|Clinical Medicine /|1754-9477|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9176|Journal of Medical Internet Research|Clinical Medicine /|1438-8871|Quarterly| |JOURNAL MEDICAL INTERNET RESEARCH +9177|Journal of Medical Investigation|Medicine, Experimental; Medicine; Geneeskunde|1343-1420|Quarterly| |UNIV TOKUSHIMA SCH MEDICINE +9178|Journal of Medical Microbiology|Microbiology / Medical microbiology; Microbiology; Microbiologie; Protozoologie|0022-2615|Monthly| |SOC GENERAL MICROBIOLOGY +9179|Journal of Medical Primatology|Plant & Animal Science / Primates; Research|0047-2565|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9180|Journal of Medical Research| |0097-3599| | |AMER SOC INVESTIGATIVE PATHOLOGY +9181|Journal of Medical Screening|Clinical Medicine / Medical screening; Diagnostic Tests, Routine; Mass Screening|0969-1413|Quarterly| |ROYAL SOC MEDICINE PRESS LTD +9182|Journal of Medical Speech-Language Pathology|Clinical Medicine|1065-1438|Quarterly| |DELMAR CENGAGE LEARNING +9183|Journal of Medical Systems|Clinical Medicine / Medicine; Information storage and retrieval systems; System analysis; Computers; Delivery of Health Care; Information Systems|0148-5598|Bimonthly| |SPRINGER +9184|Journal of Medical Ultrasonics|Clinical Medicine / Ultrasonics in medicine; Ultrasonics; Ultrasonography|1346-4523|Quarterly| |SPRINGER TOKYO +9185|Journal of Medical Virology|Microbiology / Virus diseases; Virology|0146-6615|Monthly| |WILEY-LISS +9186|Journal of Medicinal and Aromatic Plant Sciences| |0253-7125|Quarterly| |CENTRAL INST MEDICINAL & AROMATIC PLANTS +9187|Journal of Medicinal Chemistry|Chemistry / Pharmaceutical chemistry; Clinical chemistry; Chemistry, Pharmaceutical; Medische chemie; Chimie pharmaceutique|0022-2623|Semimonthly| |AMER CHEMICAL SOC +9188|Journal of Medicinal Food|Agricultural Sciences / Functional foods; Diet therapy; Food; Medicine, Herbal; Plants, Medicinal|1096-620X|Quarterly| |MARY ANN LIEBERT INC +9189|Journal of Medicinal Plants Research|Plant & Animal Science|1996-0875|Monthly| |ACADEMIC JOURNALS +9190|Journal of Medicine and Philosophy|Social Sciences, general / Medicine; Medical ethics; Ethics, Medical; Philosophy, Medical; Geneeskunde; Filosofie|0360-5310|Quarterly| |OXFORD UNIV PRESS INC +9191|Journal of Medieval and Early Modern Studies|Middle Ages; History, Modern|1082-9636|Tri-annual| |DUKE UNIV PRESS +9192|Journal of Medieval History|Middle Ages; Middeleeuwen; Moyen Âge|0304-4181|Quarterly| |ELSEVIER SCIENCE BV +9193|Journal of Mediterranean Earth Sciences| |2037-2272|Annual| |UNIV STUDI ROMA LA SAPIENZA +9194|Journal of Mediterranean Ecology| |1388-7904|Quarterly| |PROF ALMO FARINA +9195|Journal of Mediterranean Studies| |1016-3476|Semiannual| |MEDITERRANEAN INST UNIV MALTA +9196|Journal of Membrane Biology|Molecular Biology & Genetics / Membranes (Biology); Membranes / Membranes (Biology); Membranes|0022-2631|Semimonthly| |SPRINGER +9197|Journal of Membrane Science|Chemistry / Membranes (Technology); Membranes; Membranes, Artificial; Celbiologie; Membranes (Technologie)|0376-7388|Semimonthly| |ELSEVIER SCIENCE BV +9198|Journal of Memetics-Evolutionary Models of Information Transmission| |1366-4786|Semiannual| |CENTRE POLICY MODELLING +9199|Journal of Memory and Language|Psychiatry/Psychology / Psycholinguistics; Memory; Verbal behavior; Verbal Behavior; Verbal Learning|0749-596X|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9200|Journal of Mental Health|Psychiatry/Psychology / Mental health; Mental health services; Mental Disorders; Mental Health; Mental Health Services|0963-8237|Bimonthly| |INFORMA HEALTHCARE +9201|Journal of Mental Health Policy and Economics|Psychiatry/Psychology / Mental health policy; Health Policy; Mental Health; Mental Health Services|1091-4358|Quarterly| |INT CTR MENTAL HEALTH POLICY & ECONOMICS-ICMPE +9202|Journal of Mental Science| | |Quarterly| |HEADLEY BROTHERS LTD +9203|Journal of Metamorphic Geology|Geosciences / Metamorphism (Geology)|0263-4929|Monthly| |WILEY-BLACKWELL PUBLISHING +9204|Journal of Micro-Nanolithography Mems and Moems|Engineering|1932-5150|Quarterly| |SPIE-SOC PHOTOPTICAL INSTRUMENTATION ENGINEERS +9205|Journal of Microbiological Methods|Microbiology / Microbiology; Microbiological Techniques|0167-7012|Monthly| |ELSEVIER SCIENCE BV +9206|Journal of Microbiology|Microbiology / Microbiology|1225-8873|Bimonthly| |MICROBIOLOGICAL SOCIETY KOREA +9207|Journal of Microbiology and Biotechnology|Microbiology / Microbiology; Biotechnology|1017-7825|Monthly| |KOREAN SOC MICROBIOLOGY & BIOTECHNOLOGY +9208|Journal of Microbiology Immunology and Infection|Immunology /|1684-1182|Bimonthly| |ELSEVIER SCI LTD +9209|Journal of Microelectromechanical Systems|Engineering / Microelectromechanical systems; Elektromechanica|1057-7157|Bimonthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +9210|Journal of Microencapsulation|Pharmacology & Toxicology / Microencapsulation; Capsules; Liposomes; Technology, Pharmaceutical|0265-2048|Bimonthly| |TAYLOR & FRANCIS LTD +9211|Journal of Micromechanics and Microengineering|Engineering / Micromechanics; Solid state physics|0960-1317|Monthly| |IOP PUBLISHING LTD +9212|Journal of Micropalaeontology|Geosciences /|0262-821X|Semiannual| |GEOLOGICAL SOC PUBL HOUSE +9213|Journal of Microscopy-Oxford|Biology & Biochemistry / Microscopy; Microscopie|0022-2720|Monthly| |WILEY-BLACKWELL PUBLISHING +9214|Journal of Midwifery & Womens Health|Clinical Medicine / Midwives; Obstetrics; Women's health services; Midwifery; Women's Health / Midwives; Obstetrics; Women's health services; Midwifery; Women's Health / Midwives; Obstetrics; Women's health services; Midwifery; Women's Health|1526-9523|Bimonthly| |ELSEVIER SCIENCE INC +9215|Journal of Military History|Military history; Krijgsgeschiedenis (wetenschap)|0899-3718|Quarterly| |SOC MILITARY HISTORY +9216|Journal of Mind and Behavior|Psychiatry/Psychology|0271-0137|Quarterly| |INST MIND BEHAVIOR INC +9217|Journal of Mineralogical and Petrological Sciences|Geosciences / Mineralogy; Petrology|1345-6296|Bimonthly| |JAPAN ASSOC MINERALOGICAL SCIENCES +9218|Journal of Minimally Invasive Gynecology|Clinical Medicine / Genital Diseases, Female; Genitalia, Female; Surgical Procedures, Minimally Invasive|1553-4650|Bimonthly| |ELSEVIER SCIENCE INC +9219|Journal of Mining and Metallurgy Section B-Metallurgy|Materials Science /|1450-5339|Semiannual| |TECHNICAL FACULTY +9220|Journal of Mining Science|Geosciences / Mining engineering|1062-7391|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +9221|Journal of Mixed Methods Research|Social sciences; Research|1558-6898|Quarterly| |SAGE PUBLICATIONS INC +9222|Journal of Modern African Studies|Social Sciences, general /|0022-278X|Quarterly| |CAMBRIDGE UNIV PRESS +9223|Journal of Modern Craft|Decorative arts; Handicraft; Industrial arts|1749-6772|Tri-annual| |BERG PUBL +9224|Journal of Modern Dynamics|Mathematics / Differentiable dynamical systems; Control theory; Mathematics|1930-5311|Quarterly| |AMER INST MATHEMATICAL SCIENCES +9225|Journal of Modern European History| |1611-8944|Semiannual| |VERLAG C H BECK +9226|Journal of Modern Greek Studies| |0738-1727|Semiannual| |JOHNS HOPKINS UNIV PRESS +9227|Journal of Modern History|Social Sciences, general / History; History, Modern|0022-2801|Quarterly| |UNIV CHICAGO PRESS +9228|Journal of Modern Italian Studies| |1354-571X|Tri-annual| |ROUTLEDGE JOURNALS +9229|Journal of Modern Optics|Physics / Optics; Optica|0950-0340|Semimonthly| |TAYLOR & FRANCIS LTD +9230|Journal of Molecular and Cellular Cardiology|Clinical Medicine / Cardiology; Heart|0022-2828|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +9231|Journal of Molecular Biology|Molecular Biology & Genetics / Biology; Biochemistry; Molecular biology; Bacteriology; Molecular Biology|0022-2836|Weekly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +9232|Journal of Molecular Catalysis A-Chemical|Chemistry / Catalysis; Molecular theory|1381-1169|Semimonthly| |ELSEVIER SCIENCE BV +9233|Journal of Molecular Catalysis B-Enzymatic|Chemistry / Enzymes; Organic compounds; Catalysis|1381-1177|Semimonthly| |ELSEVIER SCIENCE BV +9234|Journal of Molecular Cell Biology| |1674-2788| | |OXFORD UNIV PRESS +9235|Journal of Molecular Diagnostics|Clinical Medicine / Molecular diagnosis; Diagnostics moléculaires; Molecular Biology; Diagnostic Techniques and Procedures; Laboratory Techniques and Procedures; Pathology, Clinical; Pathologie; Diagnostiek; Moleculaire genetica|1525-1578|Bimonthly| |AMER SOC INVESTIGATIVE PATHOLOGY +9236|Journal of Molecular Endocrinology|Biology & Biochemistry / Molecular endocrinology; Endocrine Glands; Hormones|0952-5041|Bimonthly| |BIOSCIENTIFICA LTD +9237|Journal of Molecular Evolution|Biology & Biochemistry / Evolution; Molecular evolution|0022-2844|Monthly| |SPRINGER +9238|Journal of Molecular Graphics & Modelling|Computer Science / Molecular structure; Computer graphics; Molecules; Computer Graphics; Models, Molecular; Molecular Structure|1093-3263|Bimonthly| |ELSEVIER SCIENCE INC +9239|Journal of Molecular Histology|Molecular Biology & Genetics / Histochemistry; Molecular biology; Histocytochemistry; Molecular Biology|1567-2379|Bimonthly| |SPRINGER +9240|Journal of Molecular Liquids|Chemistry / Liquids; Chemical bonds; Molecular relaxation; Molecular theory|0167-7322|Monthly| |ELSEVIER SCIENCE BV +9241|Journal of Molecular Medicine-Jmm|Clinical Medicine / Medicine; Pathology, Molecular; Clinical Medicine; Molecular Biology|0946-2716|Monthly| |SPRINGER +9242|Journal of Molecular Microbiology and Biotechnology|Microbiology / Molecular microbiology; Biotechnology; Microbiology; Molecular Biology|1464-1801|Bimonthly| |KARGER +9243|Journal of Molecular Modeling|Chemistry / Molecules; Molecular structure; Models, Molecular; Models, Chemical; Molecular Structure; Molécules; Structure moléculaire|1610-2940|Irregular| |SPRINGER +9244|Journal of Molecular Neuroscience|Neuroscience & Behavior / Molecular neurobiology; Molecular Biology; Neurosciences; Neurologie; Moleculaire biologie|0895-8696|Monthly| |HUMANA PRESS INC +9245|Journal of Molecular Recognition|Biology & Biochemistry / Molecular recognition; Models, Molecular; Molecular Conformation; Molecular Sequence Data; Molecular Structure; Protein Binding|0952-3499|Bimonthly| |JOHN WILEY & SONS LTD +9246|Journal of Molecular Spectroscopy|Chemistry / Molecular spectroscopy; Spectrum Analysis|0022-2852|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9247|Journal of Molecular Structure|Chemistry / Molecular theory; Chemistry, Physical; Molecuulfysica; Théorie moléculaire|0022-2860|Semimonthly| |ELSEVIER SCIENCE BV +9248|Journal of Molecular Structure-Theochem|Chemistry / Molecular structure; Chemistry, Physical and theoretical|0166-1280|Semimonthly| |ELSEVIER SCIENCE BV +9249|Journal of Molluscan Studies|Plant & Animal Science / Mollusks; Malacologie; Mollusques|0260-1230|Quarterly| |OXFORD UNIV PRESS +9250|Journal of Monetary Economics|Economics & Business / Money; Finance|0304-3932|Bimonthly| |ELSEVIER SCIENCE BV +9251|Journal of money credit and banking|Economics & Business / Money; Credit; Banks and banking; Bankwezen; Geldwezen; Monnaie; Crédit; Banques|0022-2879|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9252|Journal of Moral Education|Social Sciences, general / Moral education|0305-7240|Quarterly| |ROUTLEDGE JOURNALS +9253|Journal of Morphology|Biology & Biochemistry / Morphology; Physiology|0362-2525|Monthly| |WILEY-LISS +9254|Journal of Morphology and Physiology| |0095-9626|Quarterly| |WILEY-LISS +9255|Journal of Motor Behavior|Psychiatry/Psychology / Human mechanics; Movement, Psychology of; Motor Activity; Motor Skills; Bewegingsleer; Mécanique humaine; Psychomotricité|0022-2895|Quarterly| |HELDREF PUBLICATIONS +9256|Journal of Mountain Science|Environment/Ecology /|1672-6316|Quarterly| |SCIENCE CHINA PRESS +9257|Journal of Multicultural Counseling and Development|Psychiatry/Psychology|0883-8534|Quarterly| |AMER COUNSELING ASSOC +9258|Journal of Multilingual and Multicultural Development|Social Sciences, general / Multilingualism; Cultural pluralism; Multilinguisme; Bilinguisme; Biculturalisme; Multiculturalisme; Intercultureel onderwijs; Meertaligheid; Onderwijs; Sociolinguistique|0143-4632|Bimonthly| |ROUTLEDGE JOURNALS +9259|Journal of Multiple-Valued Logic and Soft Computing|Computer Science|1542-3980|Quarterly| |OLD CITY PUBLISHING INC +9260|Journal of Multivariate Analysis|Mathematics / Multivariate analysis|0047-259X|Monthly| |ELSEVIER INC +9261|Journal of Muscle Foods|Agricultural Sciences / Meat|1046-0756|Quarterly| |WILEY-BLACKWELL PUBLISHING +9262|Journal of Muscle Research and Cell Motility|Molecular Biology & Genetics / Muscle contraction; Cells; Cell Movement; Muscle Contraction; Muscles / Muscle contraction; Cells; Cell Movement; Muscle Contraction; Muscles|0142-4319|Bimonthly| |SPRINGER +9263|Journal of Musculoskeletal & Neuronal Interactions|Neuroscience & Behavior|1108-7161|Quarterly| |JMNI +9264|Journal of Musculoskeletal Pain|Clinical Medicine / Nonarticular rheumatism; Myalgia; Pain; Musculoskeletal system; Musculoskeletal Diseases|1058-2452|Quarterly| |HAWORTH PRESS INC +9265|Journal of Musculoskeletal Research|Musculoskeletal system; Bone Diseases; Bone and Bones; Muscles; Muscular Diseases; Musculoskeletal Diseases; Musculoskeletal System|0218-9577|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +9266|Journal of Music Theory|Music; Muziektheorie; Théorie musicale|0022-2909|Semiannual| |DUKE UNIV PRESS +9267|Journal of Music Therapy|Social Sciences, general|0022-2917|Quarterly| |NATL ASSOC MUSIC THERAPY INC +9268|Journal of Musicological Research|Music; Musicology|0141-1896|Quarterly| |TAYLOR & FRANCIS LTD +9269|Journal of Musicology|Music|0277-9269|Quarterly| |UNIV CALIFORNIA PRESS +9270|Journal of Mycology and Plant Pathology| |0971-9393|Tri-annual| |INDIAN SOC MYCOLOGY & PLANT PATHOLOGY +9271|Journal of Nannoplankton Research| |1210-8049|Semiannual| |INT NANNOPLANKTON ASSOC +9272|Journal of Nano Research|Materials Science /|1662-5250|Quarterly| |TRANS TECH PUBLICATIONS LTD +9273|Journal of Nanobiotechnology|Nanotechnology; Biotechnology|1477-3155|Irregular| |BIOMED CENTRAL LTD +9274|Journal of Nanoelectronics and Optoelectronics|Engineering / Nanotechnology; Optics; Electronics|1555-130X|Tri-annual| |AMER SCIENTIFIC PUBLISHERS +9275|Journal of Nanomaterials|Chemistry /|1687-4110|Irregular| |HINDAWI PUBLISHING CORPORATION +9276|Journal of Nanoparticle Research|Materials Science / Nanoparticles; Biomedical Engineering; Biotechnology; Equipment Design; Miniaturization; Nanostructuren|1388-0764|Bimonthly| |SPRINGER +9277|Journal of Nanophotonics|Chemistry / Nanophotonics|1934-2608|Irregular| |SPIE-SOC PHOTOPTICAL INSTRUMENTATION ENGINEERS +9278|Journal of Nanoscience and Nanotechnology|Materials Science / Nanoscience; Nanotechnology|1533-4880|Monthly| |AMER SCIENTIFIC PUBLISHERS +9279|Journal of National Fisheries University| |0370-9361|Quarterly| |NATIONAL FISHERIES UNIV +9280|Journal of Natural Gas Chemistry|Chemistry / Hydrocarbons|1003-9953|Quarterly| |ELSEVIER SCIENCE BV +9281|Journal of Natural History|Biology & Biochemistry / Natural history|0022-2933|Monthly| |TAYLOR & FRANCIS LTD +9282|Journal of Natural History-Kalyani| |0973-6166|Semiannual| |JOURNAL NATURAL HISTORY +9283|Journal of Natural Medicines|Pharmacology & Toxicology / Pharmacognosy; Holistic medicine; Alternative medicine|1340-3443|Quarterly| |SPRINGER TOKYO +9284|Journal of Natural Products|Plant & Animal Science / Natural products; Pharmacognosy; Natuurlijke stoffen|0163-3864|Monthly| |AMER CHEMICAL SOC +9285|Journal of Natural Remedies| |0972-5547|Semiannual| |NATURAL REMEDIES PRIVATE LTD +9286|Journal of Natural Resources and Life Sciences Education| |1059-9053|Semiannual| |AMER SOC AGRONOMY +9287|Journal of Natural Science Nanjing Normal University| |1001-4616|Semiannual| |NANJING NORMAL UNIV +9288|Journal of Natural Science of Hunan Normal University| |1000-2537|Irregular| |HUNAN NORMAL UNIV +9289|Journal of Nature Conservation| |0970-5945|Semiannual| |G R SHUKLA +9290|Journal of Navigation|Engineering / Navigation; Navigatie / Navigation; Navigatie / Navigation; Navigatie|0373-4633|Tri-annual| |CAMBRIDGE UNIV PRESS +9291|Journal of Near Eastern Studies|Semitic philology; Semitische talen; Philologie sémitique|0022-2968|Semiannual| |UNIV CHICAGO PRESS +9292|Journal of Near Infrared Spectroscopy|Chemistry /|0967-0335|Bimonthly| |N I R PUBLICATIONS +9293|Journal of Negative Results Ecology & Evolutionary Biology| |1459-4625| | |UNIV HELSINKI +9294|Journal of Negro Education|Social Sciences, general / Education; African Americans|0022-2984|Quarterly| |BUREAU EDUCATIONAL RESEARCH HOWARD UNIV +9295|Journal of Nematode Morphology and Systematics| |1139-5192|Semiannual| |UNIV JAEN +9296|Journal of Nematology|Plant & Animal Science|0022-300X|Quarterly| |SOC NEMATOLOGISTS +9297|Journal of Nepal Medical Association|Clinical Medicine|0028-2715|Quarterly| |NEPAL MEDICAL ASSOC +9298|Journal of Nephrology|Clinical Medicine|1121-8428|Bimonthly| |WICHTIG EDITORE +9299|Journal of Nervous and Mental Disease|Psychiatry/Psychology / Neurology; Psychiatry; Neurologie; Psychiatrie / Neurology; Psychiatry; Neurologie; Psychiatrie / Neurology; Psychiatry; Neurologie; Psychiatrie / Neurology; Psychiatry; Neurologie; Psychiatrie|0022-3018|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9300|Journal of Network and Computer Applications|Computer Science / Microcomputers; Computer networks; Application software|1084-8045|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +9301|Journal of Network and Systems Management|Computer Science / Computer networks|1064-7570|Quarterly| |SPRINGER +9302|Journal of Neural Engineering|Neuroscience & Behavior / Nervous system; Biomedical engineering; Brain; Biomedical Engineering; Nervous System; Nervous System Diseases|1741-2560|Quarterly| |IOP PUBLISHING LTD +9303|Journal of Neural Transmission|Neuroscience & Behavior / Neural transmission; Synaptic Transmission; Neurologie|0300-9564|Monthly| |SPRINGER WIEN +9304|Journal of Neural Transmission-Supplement|Neuroscience & Behavior|0303-6995|Irregular| |SPRINGER +9305|Journal of Neuro-Oncology|Clinical Medicine / Central nervous system; Nervous System Neoplasms; Neurologische aspecten; Tumoren|0167-594X|Monthly| |SPRINGER +9306|Journal of Neuro-Ophthalmology|Clinical Medicine / Neuroophthalmology; Eye; Eye Diseases; Eye Manifestations; Neurology; Ophthalmology|1070-8022|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +9307|Journal of Neurochemistry|Neuroscience & Behavior / Neurochemistry; Neurology; Neurochemie|0022-3042|Semimonthly| |WILEY-BLACKWELL PUBLISHING +9308|Journal of Neurodevelopmental Disorders|Neuroscience & Behavior /|1866-1947|Quarterly| |SPRINGER +9309|Journal of Neuroendocrinology|Neuroscience & Behavior / Neuroendocrinology; Endocrine Glands; Hormones; Nervous System; Neurosecretory Systems|0953-8194|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9310|Journal of NeuroEngineering and Rehabilitation|Neuroscience & Behavior / Nervous system; Biomedical engineering; Nervous System Diseases; Trauma, Nervous System; Biomedical Engineering|1743-0003|Monthly| |BIOMED CENTRAL LTD +9311|Journal of Neurogenetics|Neuroscience & Behavior / Neurogenetics; Genetics; Neurology|0167-7063|Quarterly| |TAYLOR & FRANCIS LTD +9312|Journal of Neuroimaging|Clinical Medicine / Diagnostic Imaging; Nervous System Diseases|1051-2284|Quarterly| |WILEY-BLACKWELL PUBLISHING +9313|Journal of Neuroimmune Pharmacology|Pharmacology & Toxicology / Neuropharmacology; Neuroimmunology; Allergy and immunology|1557-1890|Quarterly| |SPRINGER +9314|Journal of Neuroimmunology|Neuroscience & Behavior / Nervous System Diseases; Neuro-immunologie|0165-5728|Monthly| |ELSEVIER SCIENCE BV +9315|Journal of Neuroinflammation|Neuroscience & Behavior / Central nervous system; Inflammation; Central Nervous System Diseases|1742-2094|Irregular| |BIOMED CENTRAL LTD +9316|Journal of NeuroInterventional Surgery| |1759-8478|Quarterly| |B M J PUBLISHING GROUP +9317|Journal of Neurolinguistics|Neuroscience & Behavior / Neurolinguistics; Language and languages; Psycholinguistics; Brain; Linguistics; Neuropsychology; Neurolinguïstiek; Afasie; Spraakstoornissen; Taalstoornissen|0911-6044|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9318|Journal of Neurological Sciences-Turkish|Neuroscience & Behavior|1302-1664|Quarterly| |JOURNAL NEUROLOGICAL SCIENCES +9319|Journal of Neurology|Neuroscience & Behavior / Neurology; Neurosurgery / Neurology; Neurosurgery / Neurology; Neurosurgery|0340-5354|Monthly| |SPRINGER HEIDELBERG +9320|Journal of Neurology and Psychiatry| |0368-329X|Quarterly| |B M J PUBLISHING GROUP +9321|Journal of Neurology and Psychopathology| |0266-8637|Quarterly| |B M J PUBLISHING GROUP +9322|Journal of Neurology Neurosurgery and Psychiatry|Neuroscience & Behavior / Neurology; Nervous system; Psychiatry; Neurosurgery; Neurochirurgie; Neurologie; Psychiatrie / Neurology; Nervous system; Psychiatry; Neurosurgery; Neurochirurgie; Neurologie; Psychiatrie|0022-3050|Monthly| |B M J PUBLISHING GROUP +9323|Journal of Neuropathology and Experimental Neurology|Neuroscience & Behavior / Neurology; Nervous System Diseases; Pathology|0022-3069|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9324|Journal of Neurophysiology|Neuroscience & Behavior / Neurophysiology; Neurology; Physiology; Neurofysiologie; Neurophysiologie|0022-3077|Monthly| |AMER PHYSIOLOGICAL SOC +9325|Journal of Neuropsychiatry and Clinical Neurosciences|Clinical Medicine / Neuropsychiatry; Neurosciences|0895-0172|Quarterly| |AMER PSYCHIATRIC PUBLISHING +9326|Journal of Neuropsychology|Psychiatry/Psychology / Neuropsychology; Nervous System Diseases; Neuropsychologie|1748-6645|Semiannual| |BRITISH PSYCHOLOGICAL SOC +9327|Journal of Neuroradiology|Clinical Medicine / Neuroradiography|0150-9861|Bimonthly| |MASSON EDITEUR +9328|Journal of Neuroscience|Neuroscience & Behavior / Neurophysiology; Neurology; Neurologie; Neurophysiologie|0270-6474|Weekly| |SOC NEUROSCIENCE +9329|Journal of Neuroscience Methods|Neuroscience & Behavior / Neurology; Neurologie|0165-0270|Semimonthly| |ELSEVIER SCIENCE BV +9330|Journal of Neuroscience Nursing|Social Sciences, general /|0888-0395|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9331|Journal of Neuroscience Research|Neuroscience & Behavior / Neurobiology; Neurology; Research|0360-4012|Semimonthly| |WILEY-LISS +9332|Journal of Neurosurgery|Neuroscience & Behavior / Surgery; Nervous system; Neurosurgery|0022-3085|Monthly| |AMER ASSOC NEUROLOGICAL SURGEONS +9333|Journal of Neurosurgery-Pediatrics|Clinical Medicine / Spine; Children; Pediatric neurology; Neurosurgery; Neurosurgical Procedures; Pediatrics; Pédiatrie; Neurochirurgie|1933-0707|Monthly| |AMER ASSOC NEUROLOGICAL SURGEONS +9334|Journal of Neurosurgery-Spine|Clinical Medicine / Spine; Nervous system; Neurosurgical Procedures; Colonne vertébrale; Neurochirurgie; Wervelkolom; Ruggenmerg|1547-5654|Monthly| |AMER ASSOC NEUROLOGICAL SURGEONS +9335|Journal of Neurosurgical Anesthesiology|Clinical Medicine / Anesthesia in neurology; Nervous system; Anesthesia; Neurosurgical Procedures|0898-4921|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +9336|Journal of Neurosurgical Sciences|Neuroscience & Behavior|0390-5616|Quarterly| |EDIZIONI MINERVA MEDICA +9337|Journal of Neurotrauma|Neuroscience & Behavior / Brain Injuries; Spinal Cord Injuries|0897-7151|Monthly| |MARY ANN LIEBERT INC +9338|Journal of NeuroVirology|Neuroscience & Behavior / Neurovirology; Nervous system; Nervous System Diseases; Virus Diseases|1355-0284|Bimonthly| |TAYLOR & FRANCIS INC +9339|Journal of New Materials for Electrochemical Systems|Chemistry|1480-2422|Quarterly| |ECOLE POLYTECHNIQUE MONTREAL +9340|Journal of New Music Research|Music; Musicology; Musique; Musicologie|0929-8215|Quarterly| |ROUTLEDGE JOURNALS +9341|Journal of New Seeds|Seeds; Seed technology|1522-886X|Quarterly| |FOOD PRODUCTS PRESS +9342|Journal of Nihon University Medical Association| |0029-0424|Monthly| |NIHON UNIV MEDICAL ASSOC +9343|Journal of Nippon Medical School|Clinical medicine; Medicine; Clinical Medicine|1345-4676|Bimonthly| |MEDICAL ASSOC NIPPON MEDICAL SCH +9344|Journal of Non-Crystalline Solids|Physics / Glass; Amorphous substances; Amorf materiaal; Glastoestand; Halfgeleiders; Fysische eigenschappen; Chemische natuurkunde|0022-3093|Semimonthly| |ELSEVIER SCIENCE BV +9345|Journal of Non-Equilibrium Thermodynamics|Physics / Irreversible processes; Thermodynamics|0340-0204|Quarterly| |WALTER DE GRUYTER & CO +9346|Journal of Non-Newtonian Fluid Mechanics|Engineering / Fluid mechanics; Non-Newtonian fluids; Mechanica; Niet-newtonvloeistoffen; Fluides, Mécanique des; Fluides non newtoniens|0377-0257|Semimonthly| |ELSEVIER SCIENCE BV +9347|Journal of Noncommutative Geometry| |1661-6952|Quarterly| |EUROPEAN MATHEMATICAL SOC +9348|Journal of Nondestructive Evaluation|Materials Science / Nondestructive testing|0195-9298|Quarterly| |SPRINGER/PLENUM PUBLISHERS +9349|Journal of Nonlinear and Convex Analysis|Mathematics|1345-4773|Tri-annual| |YOKOHAMA PUBL +9350|Journal of Nonlinear Mathematical Physics|Physics / Nonlinear theories; Mathematical physics|1402-9251|Quarterly| |ATLANTIS PRESS +9351|Journal of Nonlinear Optical Physics & Materials|Physics / Nonlinear optics; Optical materials|0218-8635|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +9352|Journal of Nonlinear Science|Mathematics / Nonlinear theories|0938-8974|Quarterly| |SPRINGER +9353|Journal of Nonparametric Statistics|Mathematics / Nonparametric statistics; Statistique non paramétrique|1048-5252|Quarterly| |TAYLOR & FRANCIS LTD +9354|Journal of Nonverbal Behavior|Psychiatry/Psychology / Body language|0191-5886|Quarterly| |SPRINGER +9355|Journal of Northeast Forestry University| |1000-5382|Bimonthly| |NORTHEAST FORESTRY UNIV +9356|Journal of Northeast Normal University| |1000-1832|Quarterly| |NORTHEAST NORMAL UNIV +9357|Journal of Northwest Atlantic Fishery Science|Fisheries; Fishes; Pêches; Resources halieutiques|0250-6408|Semiannual| |NORTHWEST ATLANTIC FISHERIES ORGANIZATION +9358|Journal of Northwest Forestry University| |1001-7461|Quarterly| |CHINA EDUCATIONAL PUBLICATIONS IMPORT EXPORT CORP +9359|Journal of Nuclear Cardiology|Clinical Medicine / Heart; Cardiovascular Diseases; Cardiovascular System|1071-3581|Bimonthly| |SPRINGER +9360|Journal of Nuclear Materials|Engineering / Nuclear engineering; Materials Testing; Nuclear Physics; Génie nucléaire|0022-3115|Semimonthly| |ELSEVIER SCIENCE BV +9361|Journal of Nuclear Medicine|Clinical Medicine / Nuclear medicine; Nuclear Medicine|0161-5505|Monthly| |SOC NUCLEAR MEDICINE INC +9362|Journal of Nuclear Science and Technology|Engineering / Nuclear physics; Nuclear energy; Nuclear engineering|0022-3131|Monthly| |ATOMIC ENERGY SOC JAPAN +9363|Journal of Number Theory|Mathematics / Number theory; Nombres, Théorie des|0022-314X|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9364|Journal of Numerical Mathematics|Mathematics / Numerical calculations; Numerical analysis|1570-2820|Quarterly| |WALTER DE GRUYTER & CO +9365|Journal of Nursing Administration|Social Sciences, general / Nursing services; Nursing, Supervisory; Services infirmiers / Nursing services; Nursing, Supervisory; Services infirmiers|0002-0443|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9366|Journal of Nursing Care Quality|Social Sciences, general|1057-3631|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +9367|Journal of Nursing Education|Social Sciences, general / Nursing; Education, Nursing; Soins infirmiers|0148-4834|Monthly| |SLACK INC +9368|Journal of Nursing Scholarship|Social Sciences, general / Nursing|1527-6546|Quarterly| |WILEY-BLACKWELL PUBLISHING +9369|Journal of Nutrigenetics and Nutrigenomics|Agricultural Sciences / Nutrition; Nutrigenomics|1661-6499|Bimonthly| |KARGER +9370|Journal of Nutrition|Agricultural Sciences / Nutrition; Diet|0022-3166|Monthly| |AMER SOC NUTRITIONAL SCIENCE +9371|Journal of Nutrition Education and Behavior|Agricultural Sciences / Nutrition; Food Habits; Habitudes alimentaires|1499-4046|Bimonthly| |ELSEVIER SCIENCE INC +9372|Journal of Nutrition for the Elderly|Older people; Nutrition; Food relief; Aged|0163-9366|Quarterly| |HAWORTH PRESS INC +9373|Journal of Nutrition Health & Aging|Agricultural Sciences / Older people; Aging; Nutrition; Diet|1279-7707|Monthly| |SPRINGER FRANCE +9374|Journal of Nutritional & Environmental Medicine|Diet in disease; Nutrition; Environmental health; Environmentally induced diseases; Environmental Health; Holistic Health|1359-0847|Quarterly| |TAYLOR & FRANCIS LTD +9375|Journal of Nutritional Biochemistry|Biology & Biochemistry / Nutrition; Biochemistry|0955-2863|Monthly| |ELSEVIER SCIENCE INC +9376|Journal of Nutritional Science and Vitaminology|Agricultural Sciences / Nutrition; Vitamins; Vitamines|0301-4800|Bimonthly| |CENTER ACADEMIC PUBL JAPAN +9377|Journal of Obstetrics and Gynaecology|Clinical Medicine / Obstetrics; Gynecology; Gynaecologie; Verloskunde|0144-3615|Bimonthly| |INFORMA HEALTHCARE +9378|Journal of Obstetrics and Gynaecology Research|Clinical Medicine / Gynecology; Obstetrics; Genital Diseases, Female|1341-8076|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9379|Journal of Occupational and Environmental Hygiene|Environment/Ecology / Industrial hygiene; Environmental health; Medicine, Industrial; Occupational Health; Environmental Health; Occupational Exposure; Environmental Exposure|1545-9624|Monthly| |TAYLOR & FRANCIS INC +9380|Journal of Occupational and Environmental Medicine|Clinical Medicine / Medicine, Industrial; Environmental health; Occupational Medicine; Environmental Health; Milieutoxicologie; Beroepsziekten; Médecine du travail; Hygiène du milieu|1076-2752|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9381|Journal of Occupational and Organizational Psychology|Psychiatry/Psychology / Psychology, Industrial; Psychology, Applied; Personnel Management|0963-1798|Quarterly| |BRITISH PSYCHOLOGICAL SOC +9382|Journal of Occupational Health|Clinical Medicine / Medicine, Industrial; Occupational Diseases; Occupational Exposure; Occupational Health; Occupational Medicine|1341-9145|Quarterly| |JAPAN SOC OCCUPATIONAL HEALTH +9383|Journal of Occupational Health Psychology|Psychiatry/Psychology / Industrial psychiatry; Clinical health psychology; Psychology, Industrial; Occupational Health; Psychology, Applied; Psychiatrie du travail; Santé; Psychologie du travail|1076-8998|Quarterly| |AMER PSYCHOLOGICAL ASSOC +9384|Journal of Occupational Rehabilitation|Social Sciences, general / Occupational diseases; Accidents, Occupational; Occupational Diseases; Occupational Health; Rehabilitation; Rehabilitatie; Gehandicapten; Arbeid|1053-0487|Quarterly| |SPRINGER/PLENUM PUBLISHERS +9385|Journal of Ocean University of China|Oceanography|1672-5182|Quarterly| |OCEAN UNIV CHINA +9386|Journal of Ocean University of Qingdao| |1001-1862|Bimonthly| |CHINA INT BOOK TRADING CORP +9387|Journal of Oceanography|Plant & Animal Science / Oceanography|0916-8370|Bimonthly| |SPRINGER +9388|Journal of Oceanography in Taiwan Strait| |1000-8160|Quarterly| |TAIWAN HAIXIA +9389|Journal of Oceanography of Huanghai & Bohai Seas| |1000-7199|Quarterly| |CHINA INT BOOK TRADING CORP +9390|Journal of Ocular Pharmacology and Therapeutics|Clinical Medicine / Ocular pharmacology; Therapeutics, Ophthalmological; Eye Diseases|1080-7683|Quarterly| |MARY ANN LIEBERT INC +9391|Journal of Official Statistics|Mathematics|0282-423X|Quarterly| |STATISTICS SWEDEN +9392|Journal of Offshore Mechanics and Arctic Engineering-Transactions of the Asme|Engineering / Offshore structures; Ocean engineering; Engineering|0892-7219|Quarterly| |ASME-AMER SOC MECHANICAL ENG +9393|Journal of Oil Palm Research|Plant & Animal Science|1511-2780|Semiannual| |MALAYSIAN PALM OIL BOARD +9394|Journal of Oleo Science|Chemistry|1345-8957|Monthly| |JAPAN OIL CHEMISTS SOC +9395|Journal of Oncology Pharmacy Practice|Cancer; Clinical pharmacology; Medical Oncology; Neoplasms; Pharmacy|1078-1552|Quarterly| |SAGE PUBLICATIONS LTD +9396|Journal of Operational Oceanography|Geosciences|1755-876X|Semiannual| |INST MARINE ENGINEERING +9397|Journal of Operational Risk|Economics & Business|1744-6740|Quarterly| |INCISIVE MEDIA +9398|Journal of Operations Management|Economics & Business / Production management; Management|0272-6963|Bimonthly| |ELSEVIER SCIENCE BV +9399|Journal of Operator Theory|Mathematics|0379-4024|Quarterly| |THETA FOUNDATION +9400|Journal of Optical Communications| |0173-4911|Quarterly| |FACHVERLAG SCHIELE SCHON +9401|Journal of Optical Communications and Networking|Computer Science /|1943-0620|Monthly| |OPTICAL SOC AMER +9402|Journal of Optical Technology|Physics|1070-9762|Monthly| |OPTICAL SOC AMER +9403|Journal of Optics|Optics|2040-8978|Monthly| |IOP PUBLISHING LTD +9404|Journal of Optics A-Pure and Applied Optics|Physics / Optics|1464-4258|Monthly| |IOP PUBLISHING LTD +9405|Journal of Optimization Theory and Applications|Engineering / Mathematical optimization; Optimaliseren; Optimisation mathématique|0022-3239|Monthly| |SPRINGER/PLENUM PUBLISHERS +9406|Journal of Optoelectronics and Advanced Materials|Materials Science|1454-4164|Monthly| |NATL INST OPTOELECTRONICS +9407|Journal of Oral and Maxillofacial Surgery|Clinical Medicine / Mouth; Maxilla; Face; Surgery, Oral; Maxillaire supérieur; Bouche|0278-2391|Monthly| |W B SAUNDERS CO-ELSEVIER INC +9408|Journal of Oral Implantology|Clinical Medicine / Dental implants; Dental Implantation|0160-6972|Bimonthly| |ALLEN PRESS INC +9409|Journal of Oral Pathology & Medicine|Clinical Medicine / Teeth; Oral medicine; Dentistry; Pathology, Oral|0904-2512|Monthly| |WILEY-BLACKWELL PUBLISHING +9410|Journal of Oral Rehabilitation|Clinical Medicine / Dental Materials; Dentures; Mouth Rehabilitation / Dental Materials; Dentures; Mouth Rehabilitation|0305-182X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9411|Journal of Organic Chemistry|Chemistry / Chemistry, Organic; Organische chemie; Chimie organique|0022-3263|Biweekly| |AMER CHEMICAL SOC +9412|Journal of Organizational Behavior|Psychiatry/Psychology / Industrial sociology; Organizational behavior; Psychology, Industrial; Job Satisfaction; Personnel Management|0894-3796|Bimonthly| |JOHN WILEY & SONS LTD +9413|Journal of Organizational Behavior Management|Economics & Business / Organizational behavior; Behavior Therapy; Motivation; Personnel Management|0160-8061|Quarterly| |HAWORTH PRESS INC +9414|Journal of Organizational Change Management|Economics & Business / Organizational change; Organization; Management|0953-4814|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +9415|Journal of Organizational Computing and Electronic Commerce|Computer Science / Management; Electronic commerce; Electronic data interchange; Business enterprises; E-commerce; Traitement des données; Entreprise; Réseau d'ordinateurs; Échange de données informatisées; Commerce électronique|1091-9392|Quarterly| |TAYLOR & FRANCIS INC +9416|Journal of Organometallic Chemistry|Chemistry / Organometallic compounds; Chemistry; Composés organométalliques|0022-328X|Biweekly| |ELSEVIER SCIENCE SA +9417|Journal of Ornithology|Plant & Animal Science|0021-8375|Quarterly| |SPRINGER +9418|Journal of Orofacial Orthopedics-Fortschritte der Kieferorthopadie|Clinical Medicine / Orthodontics|1434-5293|Bimonthly| |URBAN & VOGEL +9419|Journal of Orofacial Pain|Clinical Medicine|1064-6655|Quarterly| |QUINTESSENCE PUBLISHING CO INC +9420|Journal of Orthopaedic & Sports Physical Therapy|Clinical Medicine / Orthopedics; Physical therapy; Sports medicine; Physical Therapy Techniques; Sports Medicine; Orthopedie; Sport; Fysiotherapie; Orthopédie; Physiothérapie; Médecine du sport|0190-6011|Monthly| |J O S P T +9421|Journal of Orthopaedic Research|Clinical Medicine / Orthopedics; Musculoskeletal system; Orthopedie; Bio-elektriciteit|0736-0266|Bimonthly| |JOHN WILEY & SONS INC +9422|Journal of Orthopaedic Science|Clinical Medicine / Orthopedics; Orthopédie; Orthopedie|0949-2658|Bimonthly| |SPRINGER TOKYO +9423|Journal of Orthopaedic Trauma|Clinical Medicine / Orthopedics; Wounds and Injuries|0890-5339|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9424|Journal of Orthoptera Research|Orthoptera|1082-6467|Annual| |ORTHOPTERISTS SOC +9425|Journal of Otolaryngology-Head & Neck Surgery|Clinical Medicine|1916-0216|Bimonthly| |B C DECKER INC +9426|Journal of Pacific History| |0022-3344|Tri-annual| |ROUTLEDGE JOURNALS +9427|Journal of Pacific Rim Psychology|Psychiatry/Psychology / Psychology|1834-4909|Semiannual| |AUSTRALIAN ACAD PRESS +9428|Journal of Paediatrics and Child Health|Clinical Medicine / Child Welfare; Infant Welfare; Pediatrics / Child Welfare; Infant Welfare; Pediatrics|1034-4810|Monthly| |WILEY-BLACKWELL PUBLISHING +9429|Journal of Pain|Clinical Medicine / Pain; Pijn / Pain; Pijn / Pain; Pijn|1526-5900|Monthly| |CHURCHILL LIVINGSTONE +9430|Journal of Pain & Palliative Care Pharmacotherapy|Pain; Analgesia; Palliative treatment; Analgesics; Palliative Care|1536-0288|Quarterly| |HAWORTH PRESS INC +9431|Journal of Pain and Symptom Management|Clinical Medicine / Pain; Palliative treatment; Palliative Care; Pijn; Analgesie|0885-3924|Monthly| |ELSEVIER SCIENCE INC +9432|Journal of Paleolimnology|Environment/Ecology / Paleolimnology; Aquatic sciences|0921-2728|Bimonthly| |SPRINGER +9433|Journal of Paleontological Sciences| | |Irregular| |AAPS-ASSOC APPLIED PALEONTOLOGICAL SCIENCES +9434|Journal of Paleontological Techniques| | |Irregular| |MUSEU LOURINHA +9435|Journal of Paleontology|Geosciences / Paleontology; Paleontologie; Paléontologie|0022-3360|Bimonthly| |PALEONTOLOGICAL SOC INC +9436|Journal of Palestine Studies|Social Sciences, general / Jewish-Arab relations|0377-919X|Quarterly| |UNIV CALIFORNIA PRESS +9437|Journal of Palliative Care|Social Sciences, general|0825-8597|Quarterly| |CENTER BIOETHICS CLIN RES INST MONTREAL +9438|Journal of Palliative Medicine|Social Sciences, general / Terminal care; Palliative treatment; Palliative Care; Terminal Care|1096-6218|Bimonthly| |MARY ANN LIEBERT INC +9439|Journal of Parallel and Distributed Computing|Computer Science / Parallel processing (Electronic computers); Electronic data processing|0743-7315|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9440|Journal of Parasitic Diseases| |0971-7196|Semiannual| |INDIAN SOC PARASITOLOGY +9441|Journal of Parasitology|Microbiology / Parasitology; Parasitic Diseases; Parasitologie / Parasitology; Parasitic Diseases; Parasitologie|0022-3395|Bimonthly| |AMER SOC PARASITOLOGISTS +9442|Journal of Parasitology and Applied Animal Biology| |0971-2208|Semiannual| |JOURNAL PARASITOLOGY & APPLIED ANIMAL BIOLOGY +9443|Journal of Parenteral and Enteral Nutrition|Clinical Medicine / Parenteral feeding; Enteral feeding; Diet Therapy; Nutrition; Parenteral Nutrition; Alimentation entérale; Alimentation parentérale; Diétothérapie; Parenterale voeding|0148-6071|Bimonthly| |SAGE PUBLICATIONS INC +9444|Journal of Pathology|Clinical Medicine / Pathology|0022-3417|Monthly| |JOHN WILEY & SONS LTD +9445|Journal of Pathology and Bacteriology|Pathology; Bacteriology|0368-3494|Quarterly| |JOHN WILEY & SONS LTD +9446|Journal of Peace Research|Social Sciences, general / Peace|0022-3433|Bimonthly| |SAGE PUBLICATIONS LTD +9447|Journal of Peasant Studies|Social Sciences, general / Peasantry; Sociology, Rural / Peasantry; Sociology, Rural|0306-6150|Quarterly| |ROUTLEDGE JOURNALS +9448|Journal of Pediatric and Adolescent Gynecology|Clinical Medicine / Pediatric gynecology; Genital Diseases, Female; Adolescent; Child; Infant; Gynaecologie; Kinderen; Adolescentie|1083-3188|Bimonthly| |ELSEVIER SCIENCE INC +9449|Journal of Pediatric Endocrinology & Metabolism|Biology & Biochemistry|0334-018X|Monthly| |FREUND PUBLISHING HOUSE LTD +9450|Journal of Pediatric Gastroenterology and Nutrition|Clinical Medicine / Child Nutrition; Gastrointestinal Diseases; Gastrointestinal System; Infant Nutrition; Nutrition Disorders; Infant; Child / Child Nutrition; Gastrointestinal Diseases; Gastrointestinal System; Infant Nutrition; Nutrition Disorders; In|0277-2116|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9451|Journal of Pediatric Health Care|Clinical Medicine / Pediatrics; Pediatric Nursing; Kindergeneeskunde; Verpleegkunde|0891-5245|Bimonthly| |ELSEVIER SCIENCE INC +9452|Journal of Pediatric Hematology Oncology|Clinical Medicine / Pediatric hematology; Tumors in children; Hematologic Diseases; Neoplasms; Child; Infant; Hematologie; Oncologie; Kinderen; Leukemie; Kankerverwekkende stoffen; Kindergeneeskunde|1077-4114|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9453|Journal of Pediatric Oncology Nursing|Clinical Medicine / Cancer in children; Pediatric nursing; Neoplasms; Pediatric Nursing; Child; Infant|1043-4542|Bimonthly| |SAGE PUBLICATIONS INC +9454|Journal of Pediatric Ophthalmology & Strabismus|Clinical Medicine / Eye Diseases; Strabismus; Child; Infant; Oogafwijkingen|0191-3913|Bimonthly| |SLACK INC +9455|Journal of Pediatric Orthopaedics|Clinical Medicine / Pediatric orthopedics; Orthopedics; Infant; Child / Pediatric orthopedics; Orthopedics; Infant; Child|0271-6798|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9456|Journal of Pediatric Orthopaedics-Part B|Clinical Medicine / Pediatric orthopedics; Orthopedics; Child; Infant / Pediatric orthopedics; Orthopedics; Child; Infant|1060-152X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9457|Journal of Pediatric Pharmacology and Therapeutics| |1551-6776|Quarterly| |PEDIATRIC PHARMACY ADVOCACY GROUP +9458|Journal of Pediatric Psychology|Psychiatry/Psychology / Clinical child psychology; Child Psychology; Kindergeneeskunde; Psychologie|0146-8693|Monthly| |OXFORD UNIV PRESS INC +9459|Journal of Pediatric Surgery|Clinical Medicine / Children; Surgery; Infant; Child|0022-3468|Monthly| |W B SAUNDERS CO-ELSEVIER INC +9460|Journal of Pediatrics|Clinical Medicine / Pediatrics; Pédiatrie / Pediatrics; Pédiatrie|0022-3476|Monthly| |MOSBY-ELSEVIER +9461|Journal of Pension Economics & Finance|Economics & Business / Pensions; Retirement income / Pensions; Retirement income|1474-7472|Tri-annual| |CAMBRIDGE UNIV PRESS +9462|Journal of Peptide Science|Biology & Biochemistry / Peptides|1075-2617|Monthly| |JOHN WILEY & SONS LTD +9463|Journal of Performance of Constructed Facilities|Engineering / Structural engineering; Structural failures|0887-3828|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +9464|Journal of Perinatal & Neonatal Nursing|Social Sciences, general|0893-2190|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +9465|Journal of Perinatal Medicine|Clinical Medicine / Fetal Diseases; Fetus; Infant, Newborn, Diseases|0300-5577|Bimonthly| |WALTER DE GRUYTER & CO +9466|Journal of Perinatology|Clinical Medicine / Perinatology|0743-8346|Monthly| |NATURE PUBLISHING GROUP +9467|Journal of Periodontal Research|Clinical Medicine / Periodontics; Parodontologie|0022-3484|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9468|Journal of Periodontology|Clinical Medicine / Periodontics; Parodontologie|0022-3492|Monthly| |AMER ACAD PERIODONTOLOGY +9469|Journal of Personality|Psychiatry/Psychology / Psychology; Character; Personality; Behavior; Persoonlijkheid; Psychologie; Caractère; Personnalité|0022-3506|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9470|Journal of Personality and Social Psychology|Psychiatry/Psychology / Social psychology; Personality; Psychology, Social; Persoonlijkheid; Psychologie sociale|0022-3514|Monthly| |AMER PSYCHOLOGICAL ASSOC +9471|Journal of Personality Assessment|Psychiatry/Psychology / Personality assessment; Projective techniques; Personality Assessment; Psychodiagnostiek; Personnalité; Techniques projectives|0022-3891|Bimonthly| |ROUTLEDGE JOURNALS +9472|Journal of Personality Disorders|Psychiatry/Psychology / Personality disorders; Personality Disorders; Personnalité, Troubles de la; Persoonlijkheidsstoornissen|0885-579X|Bimonthly| |GUILFORD PUBLICATIONS INC +9473|Journal of Personnel Psychology|Psychiatry/Psychology /|1866-5888|Quarterly| |HOGREFE & HUBER PUBLISHERS +9474|Journal of Pest Science|Plant & Animal Science / Agricultural pests; Plants, Protection of; Pest Control; Insects / Agricultural pests; Plants, Protection of; Pest Control; Insects / Agricultural pests; Plants, Protection of; Pest Control; Insects / Agricultural pests; Plants, |1612-4758|Quarterly| |SPRINGER HEIDELBERG +9475|Journal of Pesticide Science|Plant & Animal Science /|1348-589X|Quarterly| |PESTICIDE SCI SOC JAPAN +9476|Journal of Petroleum Geology|Geosciences / Petroleum; Aardolie|0141-6421|Quarterly| |WILEY-BLACKWELL PUBLISHING +9477|Journal of Petroleum Science and Engineering|Geosciences / Petroleum engineering; Petroleum|0920-4105|Monthly| |ELSEVIER SCIENCE BV +9478|Journal of Petrology|Geosciences / Petrology|0022-3530|Monthly| |OXFORD UNIV PRESS +9479|Journal of Pharmaceutical and Biomedical Analysis|Pharmacology & Toxicology / Pharmaceutical chemistry; Drugs; Chemistry, Pharmaceutical; Pharmaceutical Preparations; Farmacie; Biomedisch onderzoek; Chemische analyses; Medische chemie|0731-7085|Semimonthly| |ELSEVIER SCIENCE BV +9480|Journal of Pharmaceutical Finance Economics & Policy| |1538-5698|Quarterly| |PHARMACEUTICAL PRODUCTS PRESS +9481|Journal of Pharmaceutical Marketing & Management|Pharmacy management; Drug Industry; Marketing of Health Services; Pharmacy Administration|0883-7597|Quarterly| |HAWORTH PRESS INC +9482|Journal of Pharmaceutical Sciences|Pharmacology & Toxicology / Pharmacy|0022-3549|Monthly| |JOHN WILEY & SONS INC +9483|Journal of Pharmacoepidemiology|Drug Therapy; Product Surveillance, Postmarketing; Farmacie; Epidemiologie|0896-6966|Quarterly| |PHARMACEUTICAL PRODUCTS PRESS +9484|Journal of Pharmacokinetics and Pharmacodynamics|Pharmacology & Toxicology / Pharmacokinetics; Drugs; Pharmacocinétique; Pharmacodynamie; Dose-Response Relationship, Drug; Pharmacology|1567-567X|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +9485|Journal of Pharmacological and Toxicological Methods|Pharmacology & Toxicology / Pharmacology, Experimental; Toxicology; Pharmacology; Research; Pharmacologie; Toxicologie; Pharmacologie expérimentale; Farmacologie|1056-8719|Bimonthly| |ELSEVIER SCIENCE INC +9486|Journal of Pharmacological Sciences|Pharmacology & Toxicology / Pharmacology; Pharmacologie|1347-8613|Monthly| |JAPANESE PHARMACOLOGICAL SOC +9487|Journal of Pharmacology and Experimental Therapeutics|Pharmacology & Toxicology / Pharmacology; Therapeutics|0022-3565|Monthly| |AMER SOC PHARMACOLOGY EXPERIMENTAL THERAPEUTICS +9488|Journal of Pharmacy and Pharmaceutical Sciences|Clinical Medicine|1482-1826|Quarterly| |CANADIAN SOC PHARMACEUTICAL SCIENCES +9489|Journal of Pharmacy and Pharmacology|Pharmacology & Toxicology / Pharmacy; Pharmacology; Farmacie; Farmacologie|0022-3573|Monthly| |WILEY-BLACKWELL PUBLISHING +9490|Journal of Pharmacy Practice|Pharmacy; Pharmacology; Pharmacie|0897-1900|Bimonthly| |SAGE PUBLICATIONS INC +9491|Journal of Pharmacy Practice and Research| |1445-937X|Quarterly| |SOC HOSPITAL PHARMACISTS AUSTRALIA +9492|Journal of Pharmacy Teaching|Pharmacy; Education, Pharmacy|1044-0054|Quarterly| |HAWORTH PRESS INC +9493|Journal of Pharmacy Technology| |8755-1225|Bimonthly| |HARVEY WHITNEY BOOKS CO +9494|Journal of Phase Equilibria and Diffusion|Physics / Phase diagrams; Phase rule and equilibrium|1547-7037|Bimonthly| |SPRINGER +9495|Journal of Philosophical Logic|Logic; Philosophy|0022-3611|Quarterly| |SPRINGER +9496|Journal of Philosophical Research| |1053-8364|Annual| |PHILOSOPHY DOCUMENTATION CENTER +9497|Journal of Philosophy|Philosophy; Psychology; Philosophie; Psychologie|0022-362X|Monthly| |J PHILOSOPHY INC +9498|Journal of Philosophy of Education|Social Sciences, general / Education|0309-8249|Quarterly| |WILEY-BLACKWELL PUBLISHING +9499|Journal of Phonetics|Social Sciences, general / Phonetics|0095-4470|Quarterly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +9500|Journal of Photochemistry and Photobiology A-Chemistry|Chemistry / Photochemistry|1010-6030|Monthly| |ELSEVIER SCIENCE SA +9501|Journal of Photochemistry and Photobiology B-Biology|Biology & Biochemistry / Photobiology; Photochemistry; Biology; Light|1011-1344|Monthly| |ELSEVIER SCIENCE SA +9502|Journal of Photochemistry and Photobiology C-Photochemistry Reviews|Chemistry / Photochemistry; Photobiology|1389-5567|Tri-annual| |ELSEVIER SCIENCE BV +9503|Journal of Photopolymer Science and Technology|Chemistry / Photopolymers; Photopolymerization|0914-9244|Semiannual| |TECHNICAL ASSOC PHOTOPOLYMERS +9504|Journal of Phycology|Plant & Animal Science / Algae; Algues|0022-3646|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9505|Journal of Physical Activity & Health| |1543-3080|Bimonthly| |HUMAN KINETICS PUBL INC +9506|Journal of Physical and Chemical Reference Data|Physics / Science; Physics; Chemistry; Spectrometrie; Energieniveaus; Atomen|0047-2689|Quarterly| |AMER INST PHYSICS +9507|Journal of Physical Chemistry|Chemistry, Physical and theoretical; Chemistry, Physical; Fysische chemie|0022-3654|Weekly| |AMER CHEMICAL SOC +9508|Journal of Physical Chemistry A|Chemistry / Chemistry, Physical and theoretical; Chemistry, Physical; Fysische chemie|1089-5639|Weekly| |AMER CHEMICAL SOC +9509|Journal of Physical Chemistry B|Chemistry / Chemistry, Physical and theoretical|1520-6106|Weekly| |AMER CHEMICAL SOC +9510|Journal of Physical Chemistry C|Physics / Chemistry, Physical and theoretical; Nanostructured materials; Interfaces (Physical sciences); Catalysis; Chimie physique et théorique; Nanomatériaux; Interfaces (Sciences physiques); Catalyse|1932-7447|Weekly| |AMER CHEMICAL SOC +9511|Journal of Physical Chemistry Letters| |1948-7185|Monthly| |AMER CHEMICAL SOC +9512|Journal of Physical Oceanography|Geosciences / Oceanography; Marine meteorology|0022-3670|Monthly| |AMER METEOROLOGICAL SOC +9513|Journal of Physical Organic Chemistry|Chemistry / Physical organic chemistry; Fysische chemie; Organische chemie; Chimie organique physique|0894-3230|Monthly| |JOHN WILEY & SONS LTD +9514|Journal of Physical Therapy Science|Clinical Medicine / Physical therapy; Rehabilitation; Exercise; Physical Therapy Techniques|0915-5287|Semiannual| |SOC PHYSICAL THERAPY SCIENCE +9515|Journal of Physics A-Mathematical and Theoretical|Physics / Mathematical physics; Statistical physics; Dynamics; Quantum theory|1751-8113|Weekly| |IOP PUBLISHING LTD +9516|Journal of Physics and Chemistry of Solids|Physics / Solids|0022-3697|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +9517|Journal of Physics B-Atomic Molecular and Optical Physics|Physics / Atoms; Molecules; Optics; Nuclear physics; Nuclear Physics|0953-4075|Semimonthly| |IOP PUBLISHING LTD +9518|Journal of Physics D-Applied Physics|Physics / Physics; Physique|0022-3727|Weekly| |IOP PUBLISHING LTD +9519|Journal of Physics G-Nuclear and Particle Physics|Physics / Nuclear physics; Particles (Nuclear physics); Kernfysica; Elementaire deeltjes|0954-3899|Monthly| |IOP PUBLISHING LTD +9520|Journal of Physics-Condensed Matter|Physics / Condensed matter; Vaste stoffen; Vloeistoffen; Natuurkunde|0953-8984|Weekly| |IOP PUBLISHING LTD +9521|Journal of Physics-Ussr| |0368-3400|Bimonthly| |USSR ACAD SCIENCES +9522|Journal of PHYSIOLOGICAL ANTHROPOLOGY|Biology & Biochemistry / Physical anthropology; Anthropology, Physical; Physiological Processes|1880-6791|Bimonthly| |JAPAN SOC PHYSIOLOGICAL ANTHROPOLOGY +9523|Journal of Physiological Sciences|Biology & Biochemistry / Physiology|1880-6546|Bimonthly| |SPRINGER TOKYO +9524|Journal of Physiology and Biochemistry|Biology & Biochemistry /|1138-7548|Quarterly| |SERVICIO PUBLICACIONES UNIVERSIDAD NAVARRA +9525|Journal of Physiology and Pharmacology|Biology & Biochemistry|0867-5910|Quarterly| |POLISH PHYSIOLOGICAL SOC +9526|Journal of Physiology-London|Biology & Biochemistry / Physiology; Physiologie|0022-3751|Semimonthly| |WILEY-BLACKWELL PUBLISHING +9527|Journal of Physiology-Paris|Neuroscience & Behavior / Physiology; Fysiologie; Dieren; Physiologie|0928-4257|Bimonthly| |ELSEVIER SCI LTD +9528|Journal of Physiotherapy|Clinical Medicine|0004-9514|Quarterly| |AUSTRALIAN PHYSIOTHERAPY ASSOC +9529|Journal of Phytological Research| |0970-5767|Semiannual| |PHYTOLOGICAL SOC +9530|Journal of Phytopathology|Plant & Animal Science / Plant diseases|0931-1785|Monthly| |WILEY-BLACKWELL PUBLISHING +9531|Journal of Pidgin and Creole Languages|Creole dialects; Pidgin languages; Pidgintalen; Creooltalen|0920-9034|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +9532|Journal of Pineal Research|Biology & Biochemistry / Pineal gland; Pineal Gland|0742-3098|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9533|Journal of Plankton Research|Plant & Animal Science / Plankton; Plancton|0142-7873|Bimonthly| |OXFORD UNIV PRESS +9534|Journal of Planning Education and Research|Social Sciences, general / Regional planning; City planning|0739-456X|Quarterly| |SAGE PUBLICATIONS INC +9535|Journal of Planning Literature|Engineering / City planning; Regional planning; Planning|0885-4122|Quarterly| |SAGE PUBLICATIONS INC +9536|Journal of Plant Biochemistry and Biotechnology|Plant & Animal Science|0971-7811|Semiannual| |SOC PLANT BIOCHEM BIOTECH +9537|Journal of Plant Biology|Plant & Animal Science /|1226-9239|Bimonthly| |SPRINGER +9538|Journal of Plant Biotechnology| |1229-2818|Quarterly| |KOREAN SOC PLANT BIOTECHNOLOGY +9539|Journal of Plant Diseases and Protection|Plant & Animal Science|1861-3829|Bimonthly| |EUGEN ULMER GMBH CO +9540|Journal of Plant Ecology-Uk|Plant & Animal Science /|1752-9921|Quarterly| |OXFORD UNIV PRESS +9541|Journal of Plant Growth Regulation|Plant & Animal Science / Plant regulators; Growth (Plants); Plants|0721-7595|Quarterly| |SPRINGER +9542|Journal of Plant Nutrition|Plant & Animal Science / Plants; Deficiency diseases in plants; Plantes; Plantes, Effets des minéraux sur les|0190-4167|Monthly| |TAYLOR & FRANCIS INC +9543|Journal of Plant Nutrition and Soil Science|Plants; Soil science; Planten; Voedingsstoffen; Bodemkunde|1436-8730|Bimonthly| |WILEY-V C H VERLAG GMBH +9544|Journal of Plant Pathology|Plant & Animal Science|1125-4653|Tri-annual| |EDIZIONI ETS +9545|Journal of Plant Physiology|Plant & Animal Science / Plant physiology; Plant Physiology; Molecular Biology; Biochemistry; Biotechnology; Planten; Fysiologie|0176-1617|Monthly| |ELSEVIER GMBH +9546|Journal of Plant Physiology and Molecular Biology| |1671-3877|Quarterly| |SCIENCE CHINA PRESS +9547|Journal of Plant Protection in the Tropics| |0127-6883|Semiannual| |MALAYSIAN PLANT PROTECTION SOC-MAPPS +9548|Journal of Plant Protection Research|Plants, Protection of; Agricultural pests; Plant diseases|1427-4345|Quarterly| |INST OCHRONY ROSLIN +9549|Journal of Plant Registrations|Plant & Animal Science / Crops; Plant genetic engineering; Plants|1936-5209|Tri-annual| |CROP SCIENCE SOC AMER +9550|Journal of Plant Research|Plant & Animal Science / Botany; Plants|0918-9440|Bimonthly| |SPRINGER TOKYO +9551|Journal of Plant Resources and Environment| |1004-0978|Quarterly| |INST BOTANY +9552|Journal of Plantation Crops| |0304-5242|Semiannual| |INDIAN SOC PLANTATION CROPS +9553|Journal of Plasma Physics|Physics / Plasma (Ionized gases)|0022-3778|Bimonthly| |CAMBRIDGE UNIV PRESS +9554|Journal of Plastic Film & Sheeting|Materials Science /|8756-0879|Quarterly| |SAGE PUBLICATIONS LTD +9555|Journal of Plastic Reconstructive and Aesthetic Surgery|Clinical Medicine / Reconstructive Surgical Procedures|1748-6815|Monthly| |ELSEVIER SCI LTD +9556|Journal of Policy Analysis and Management|Social Sciences, general / Policy sciences; Political planning; Beleidsanalyse; Overheidsmanagement|0276-8739|Quarterly| |JOHN WILEY & SONS INC +9557|Journal of Policy Modeling|Economics & Business / Social sciences; Economics; International relations; Policy sciences|0161-8938|Bimonthly| |ELSEVIER SCIENCE INC +9558|Journal of Politeness Research-Language Behaviour Culture|Social Sciences, general /|1612-5681|Semiannual| |MOUTON DE GRUYTER +9559|Journal of Political Economy|Economics & Business / Economics|0022-3808|Bimonthly| |UNIV CHICAGO PRESS +9560|Journal of Political Philosophy|Social Sciences, general / Political science; Politieke filosofie|0963-8016|Quarterly| |WILEY-BLACKWELL PUBLISHING +9561|Journal of Politics|Social Sciences, general / Political science; Politieke wetenschappen; Politiek; Science politique|0022-3816|Quarterly| |CAMBRIDGE UNIV PRESS +9562|Journal of Pollination Ecology| |1920-7603|Irregular| |ENVIROQUEST LTD +9563|Journal of Polymer Engineering|Materials Science|0334-6447|Bimonthly| |FREUND PUBLISHING HOUSE LTD +9564|Journal of Polymer Materials|Chemistry|0973-8622|Quarterly| |M D PUBLICATIONS +9565|Journal of Polymer Research|Chemistry /|1022-9760|Quarterly| |SPRINGER +9566|Journal of Polymer Science Part A-Polymer Chemistry|Chemistry / Polymers; Polymerization; Chemistry|0887-624X|Monthly| |JOHN WILEY & SONS INC +9567|Journal of Polymer Science Part B-Polymer Physics|Chemistry / Polymers; Physics|0887-6266|Semimonthly| |JOHN WILEY & SONS INC +9568|Journal of Polymers and the Environment|Chemistry / Polymers|1566-2543|Quarterly| |SPRINGER/PLENUM PUBLISHERS +9569|Journal of Popular Culture| |0022-3840|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9570|Journal of Popular Film and Television|Motion pictures; Television broadcasting; Filmkunst; Televisie; Populaire cultuur; Cinéma; Téléspectateurs; Télévision|0195-6051|Quarterly| |HELDREF PUBLICATIONS +9571|Journal of Popular Music Studies|Popular music|1524-2226|Tri-annual| |WILEY-BLACKWELL PUBLISHING +9572|Journal of Population Economics|Economics & Business / Population|0933-1433|Quarterly| |SPRINGER +9573|Journal of Porous Materials|Materials Science / Materials science; Porous materials|1380-2224|Quarterly| |SPRINGER +9574|Journal of Porous Media|Engineering / Porous materials|1091-028X|Bimonthly| |BEGELL HOUSE INC +9575|Journal of Porphyrins and Phthalocyanines|Chemistry / Porphyrins; Phthalocyanines; Porphyrin and porphyrin compounds|1088-4246|Monthly| |WORLD SCI PUBL CO INC +9576|Journal of Portfolio Management|Economics & Business /|0095-4918|Quarterly| |INST INVESTOR INC +9577|Journal of Positive Behavior Interventions|Psychiatry/Psychology / Behavior therapy for children; Behavior therapy for teenagers; Behavior Therapy; Reinforcement (Psychology)|1098-3007|Quarterly| |SAGE PUBLICATIONS INC +9578|Journal of Post Keynesian Economics|Economics & Business / Economics; Keynesian economics|0160-3477|Quarterly| |M E SHARPE INC +9579|Journal of Postgraduate Medicine|Clinical Medicine /|0022-3859|Quarterly| |MEDKNOW PUBLICATIONS +9580|Journal of Poultry Science|Plant & Animal Science / Poultry|1346-7395|Quarterly| |JAPAN POULTRY SCIENCE ASSOC +9581|Journal of Power Electronics|Engineering|1598-2092|Bimonthly| |KOREAN INST POWER ELECTRONICS +9582|Journal of Power Sources|Engineering / Power resources; Power (Mechanics)|0378-7753|Semimonthly| |ELSEVIER SCIENCE BV +9583|Journal of Practical Ecology and Conservation| |1354-0270|Semiannual| |WILDTRACK PUBLISHING +9584|Journal of Pragmatics|Social Sciences, general / Pragmatics; Linguistics|0378-2166|Monthly| |ELSEVIER SCIENCE BV +9585|Journal of Pre-Raphaelite Studies-New Series| |1060-149X|Semiannual| |JOURNAL PRE-RAPHAELITE STUDIES +9586|Journal of Presbyterian History| |1521-9216|Semiannual| |PRESBYTERIAN HISTORICAL SOC +9587|Journal of Pressure Vessel Technology-Transactions of the Asme|Engineering / Pressure vessels|0094-9930|Quarterly| |ASME-AMER SOC MECHANICAL ENG +9588|Journal of Primary Prevention|Mental health services; Psychology, Pathological; Community Mental Health Services; Mental Disorders; Primary Prevention|0278-095X|Quarterly| |SPRINGER +9589|Journal of Process Control|Chemistry / Process control|0959-1524|Bimonthly| |ELSEVIER SCI LTD +9590|Journal of Product Innovation Management|Economics & Business / New products|0737-6782|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9591|Journal of Productivity Analysis|Economics & Business / Industrial productivity|0895-562X|Bimonthly| |SPRINGER +9592|Journal of Professional Issues in Engineering Education and Practice|Engineering / Civil engineering; Civil engineers|1052-3928|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +9593|Journal of Professional Nursing|Social Sciences, general / Nursing; Verpleging; Beroepspraktijk; Soins infirmiers|8755-7223|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +9594|Journal of Projective Techniques| |0885-3126|Quarterly| |RORSCHACH INSTITUTE +9595|Journal of Propulsion and Power|Engineering / Space vehicles; Rocketry|0748-4658|Bimonthly| |AMER INST AERONAUT ASTRONAUT +9596|Journal of Prosthetic Dentistry|Clinical Medicine / Prosthodontics; Dentisterie prothétique / Prosthodontics; Dentisterie prothétique / Prosthodontics; Dentisterie prothétique|0022-3913|Monthly| |MOSBY-ELSEVIER +9597|Journal of Proteome Research|Molecular Biology & Genetics / Proteins; Genomes; Proteome|1535-3893|Bimonthly| |AMER CHEMICAL SOC +9598|Journal of Proteomics|Molecular Biology & Genetics / Proteomics|1874-3919|Bimonthly| |ELSEVIER SCIENCE BV +9599|Journal of Protozoology Research| |0917-4427|Quarterly| |NATL RESEARCH CENTER PROTOZOAN DISEASES +9600|Journal of Psychiatric and Mental Health Nursing|Social Sciences, general / Psychiatric nursing; Mental Disorders; Psychiatric Nursing|1351-0126|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9601|Journal of Psychiatric Practice|Social Sciences, general / Psychiatry; Psychotherapy; Mental health services; Mental Disorders|1527-4160|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9602|Journal of Psychiatric Research|Psychiatry/Psychology / Psychiatry|0022-3956|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9603|Journal of Psychiatry & Neuroscience|Psychiatry/Psychology /|1180-4882|Bimonthly| |CMA-CANADIAN MEDICAL ASSOC +9604|Journal of Psycho-Asthenics| | | | |AMER ASSOC MENTAL RETARDATION +9605|Journal of Psychoactive Drugs|Psychiatry/Psychology|0279-1072|Quarterly| |HAIGHT-ASHBURY PUBL +9606|Journal of Psychoeducational Assessment|Psychiatry/Psychology / Ability; Educational tests and measurements; Psychological Tests|0734-2829|Quarterly| |SAGE PUBLICATIONS INC +9607|Journal of Psychohistory|Psychiatry/Psychology|0145-3378|Quarterly| |ASSOC PSYCHOHISTORY +9608|Journal of Psycholinguistic Research|Psychiatry/Psychology / Psycholinguistics|0090-6905|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +9609|Journal of Psychology|Psychiatry/Psychology / Psychology; Psychologie|0022-3980|Bimonthly| |HELDREF PUBLICATIONS +9610|Journal of Psychology and Theology|Psychiatry/Psychology|0091-6471|Quarterly| |ROSEMEAD SCHOOL PSYCHOLOGY +9611|Journal of Psychology in Africa|Psychiatry/Psychology|1433-0237|Quarterly| |ELLIOTT & FITZPATRICK INC +9612|Journal of Psychopathology and Behavioral Assessment|Psychiatry/Psychology / Behavioral assessment; Psychology; Psychology, Pathological; Behavior; Psychophysiology|0882-2689|Quarterly| |SPRINGER/PLENUM PUBLISHERS +9613|Journal of Psychopharmacology|Neuroscience & Behavior / Psychopharmacology; Psychofarmacologie; Psychopharmacologie|0269-8811|Monthly| |SAGE PUBLICATIONS LTD +9614|Journal of Psychophysiology|Neuroscience & Behavior / Psychophysiology; Psychofysiologie|0269-8803|Quarterly| |HOGREFE & HUBER PUBLISHERS +9615|Journal of Psychosocial Nursing and Mental Health Services|Psychiatry/Psychology / Psychiatric nursing; Mental health services; Mental Health Services; Psychiatric Nursing; Geestelijke gezondheidszorg; Psychosociale hulpverlening; Soins infirmiers en psychiatrie; Santé mentale, Services de|0279-3695|Monthly| |SLACK INC +9616|Journal of Psychosocial Oncology|Psychiatry/Psychology / Cancer; Neoplasms; Social Environment; Social Support|0734-7332|Quarterly| |HAWORTH PRESS INC +9617|Journal of Psychosomatic Obstetrics and Gynecology|Clinical Medicine / Gynecology; Medicine, Psychosomatic; Obstetrics; Psychology, Medical; Psychosomatic Medicine; Psychosomatiek; Gynaecologie; Verloskunde|0167-482X|Quarterly| |TAYLOR & FRANCIS INC +9618|Journal of Psychosomatic Research|Psychiatry/Psychology / Medicine, Psychosomatic; Psychosomatic Medicine|0022-3999|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +9619|Journal of Public Administration Research and Theory|Social Sciences, general / Public administration; Policy sciences|1053-1858|Quarterly| |OXFORD UNIV PRESS +9620|Journal of Public Economic Theory|Economics & Business / Economic policy; Finance, Public|1097-3923|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9621|Journal of Public Economics|Economics & Business / Finance, Public|0047-2727|Monthly| |ELSEVIER SCIENCE SA +9622|Journal of Public Health|Social Sciences, general /|1741-3842|Quarterly| |OXFORD UNIV PRESS +9623|Journal of Public Health Dentistry|Social Sciences, general / Dental public health; Public Health Dentistry; Tandheelkundige zorg; Santé dentaire|0022-4006|Quarterly| |AAPHD NATIONAL OFFICE +9624|Journal of Public Health Management and Practice|Social Sciences, general|1078-4659|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9625|Journal of Public Health Policy|Social Sciences, general / Public health; Medical policy; Health Policy; Public Health; Santé publique; Politique sanitaire; Politique de la santé|0197-5897|Quarterly| |PALGRAVE MACMILLAN LTD +9626|Journal of Public Policy & Marketing|Economics & Business / Marketing; Overheidsbeleid; Marketing social|0743-9156|Semiannual| |AMER MARKETING ASSOC +9627|Journal of Public Relations Research|Social Sciences, general / Public relations; Relations publiques|1062-726X|Quarterly| |ROUTLEDGE JOURNALS +9628|Journal of Pulp and Paper Science|Materials Science|0826-6220|Quarterly| |PULP & PAPER TECHNICAL ASSOC CANADA +9629|Journal of Pure and Applied Algebra|Mathematics / Algebra; Algèbre|0022-4049|Semimonthly| |ELSEVIER SCIENCE BV +9630|Journal of Quality Technology|Engineering|0022-4065|Quarterly| |AMER SOC QUALITY CONTROL-ASQC +9631|Journal of Quantitative Criminology|Social Sciences, general / Crime; Criminal justice, Administration of|0748-4518|Quarterly| |SPRINGER/PLENUM PUBLISHERS +9632|Journal of Quantitative Linguistics|Social Sciences, general / Linguistics|0929-6174|Quarterly| |ROUTLEDGE JOURNALS +9633|Journal of Quantitative Spectroscopy & Radiative Transfer|Engineering / Spectrum analysis; Radiation; Spectrometrie; Analyse spectrale; Rayonnement; Transfert radiatif|0022-4073|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9634|Journal of Quaternary Science|Geosciences / Geology, Stratigraphic; Paleontology|0267-8179|Bimonthly| |JOHN WILEY & SONS LTD +9635|Journal of Race Development| |1068-3380| | |CLARK UNIV PRESS +9636|Journal of Radiation Research|Biology & Biochemistry / Radiobiology; Radiation|0449-3060|Bimonthly| |JAPAN RADIATION RESEARCH SOC +9637|Journal of Radioanalytical and Nuclear Chemistry|Chemistry / Radiochemistry; Radiochemical analysis; Nuclear chemistry; Chemistry, Analytic; Chemistry, Analytical / Radiochemistry; Radiochemical analysis; Nuclear chemistry; Chemistry, Analytic; Chemistry, Analytical / Radiochemistry; Radiochemical anal|0236-5731|Monthly| |SPRINGER +9638|Journal of Radiological Protection|Clinical Medicine / Health Physics; Radiation Monitoring; Radiation Protection|0952-4746|Quarterly| |IOP PUBLISHING LTD +9639|Journal of Rakuno Gakuen University| |0388-001X|Irregular| |RAKUNO GAKUEN UNIV +9640|Journal of Raman Spectroscopy|Chemistry / Raman spectroscopy|0377-0486|Monthly| |JOHN WILEY & SONS LTD +9641|Journal of Rapid Methods and Automation in Microbiology|Agricultural Sciences / Microbiology; Automation; Microbiological Techniques|1060-3999|Quarterly| |WILEY-BLACKWELL PUBLISHING +9642|Journal of Raptor Research|Plant & Animal Science / Birds of prey|0892-1016|Quarterly| |RAPTOR RESEARCH FOUNDATION INC +9643|Journal of Rare Earths|Chemistry / Rare earths|1002-0721|Bimonthly| |ELSEVIER SCIENCE BV +9644|Journal of Real Estate Finance and Economics|Economics & Business / Mortgages; Real property; Real estate business|0895-5638|Bimonthly| |SPRINGER +9645|Journal of Real Estate Research|Social Sciences, general|0896-5803|Quarterly| |AMER REAL ESTATE SOC +9646|Journal of Receptors and Signal Transduction|Molecular Biology & Genetics / Cell receptors; Cellular signal transduction; Receptors, Cell Surface; Receptors, Drug; Signal Transduction; Seconds messagers (Biochimie); Transduction du signal cellulaire; Récepteurs cellulaires; Receptoren; Transductie |1079-9893|Quarterly| |TAYLOR & FRANCIS INC +9647|Journal of Reconstructive Microsurgery|Clinical Medicine / Microsurgery; Neurosurgery; Surgery, Plastic; Vascular Surgical Procedures|0743-684X|Bimonthly| |THIEME MEDICAL PUBL INC +9648|Journal of Refractive Surgery|Clinical Medicine /|1081-597X|Monthly| |SLACK INC +9649|Journal of Refugee Studies|Social Sciences, general / Refugees|0951-6328|Quarterly| |OXFORD UNIV PRESS +9650|Journal of Regional Science|Social Sciences, general / Economics; Regional planning; Regionale economie; Regionale geografie; Économie politique; Aménagement du territoire; REGIONAL PLANNING; DEVELOPMENT PLANNING; ECONOMIC PLANNING; REGIONAL DEVELOPMENT|0022-4146|Quarterly| |WILEY-BLACKWELL PUBLISHING +9651|Journal of Regulatory Economics|Economics & Business / Industrial policy; Trade regulation|0922-680X|Bimonthly| |SPRINGER +9652|Journal of Rehabilitation|Social Sciences, general|0022-4154|Quarterly| |NATL REHABILITATION ASSOC-NRA +9653|Journal of Rehabilitation Medicine|Clinical Medicine / Rehabilitation; Medical rehabilitation; Medicine, Physical; Médecine physique; Réadaptation; Revalidatie|1650-1977|Monthly| |FOUNDATION REHABILITATION INFORMATION +9654|Journal of Rehabilitation Research and Development|Social Sciences, general / Prosthesis; Self-help devices for people with disabilities; Artificial Limbs; Prostheses and Implants; Rehabilitation; Research; Self-Help Devices; Revalidatie|0748-7711|Bimonthly| |JOURNAL REHAB RES & DEV +9655|Journal of Reinforced Plastics and Composites|Materials Science / Reinforced plastics; Composite materials; Matières plastiques renforcées; Composites|0731-6844|Semimonthly| |SAGE PUBLICATIONS LTD +9656|Journal of Religion|Theology; Théologie|0022-4189|Quarterly| |UNIV CHICAGO PRESS +9657|Journal of Religion & Health|Social Sciences, general / Psychiatry and religion; Medicine; Pastoral Care; Religion and Medicine; Religion and Psychology; Gezondheid; Godsdienst; Psychiatrie et religion; Médecine / Psychiatry and religion; Medicine; Pastoral Care; Religion and Medici|0022-4197|Quarterly| |SPRINGER +9658|Journal of Religion in Africa|Philosophy, African|0022-4200|Quarterly| |BRILL ACADEMIC PUBLISHERS +9659|Journal of Religious Ethics|Ethics; Religious ethics|0384-9694|Quarterly| |WILEY-BLACKWELL PUBLISHING +9660|Journal of Religious History|Church history; Religion|0022-4227|Tri-annual| |WILEY-BLACKWELL PUBLISHING +9661|Journal of Renal Nutrition|Clinical Medicine / Renal hypertension; Kidneys; Hypertension; Kidney Diseases; Kidney Transplantation; Nutrition; Urologic Diseases|1051-2276|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +9662|Journal of Renewable and Sustainable Energy| |1941-7012|Bimonthly| |AMER INST PHYSICS +9663|Journal of Renewable Natural Resources Bhutan| |1608-4330|Annual| |BHUTAN MINISTRY AGRICULTURE +9664|Journal of Reproduction and Development|Plant & Animal Science / Reproduction; Developmental biology; Developmental Biology; Voortplanting (biologie)|0916-8818|Bimonthly| |JAPANESE SOC ANIMAL REPRODUCTION +9665|Journal of Reproductive and Infant Psychology|Psychiatry/Psychology / Human reproduction; Pregnancy; Infant psychology; Child Psychology; Reproduction; Women; Pasgeborenen; Zwangerschap; Psychologische aspecten|0264-6838|Quarterly| |ROUTLEDGE JOURNALS +9666|Journal of Reproductive Immunology|Immunology / Reproduction; Immunology; Allergy and Immunology; Immunologie; Voortplanting (biologie)|0165-0378|Bimonthly| |ELSEVIER IRELAND LTD +9667|Journal of Reproductive Medicine|Clinical Medicine|0024-7758|Monthly| |SCI PRINTERS & PUBL INC +9668|Journal of Research and Practice in Information Technology|Computer Science|1443-458X|Quarterly| |AUSTRALIAN COMPUTER SOC INC +9669|Journal of Research in Crime and Delinquency|Social Sciences, general / Crime; Criminology; Juvenile Delinquency; Criminologie; Criminaliteit; Criminalité|0022-4278|Quarterly| |SAGE PUBLICATIONS INC +9670|Journal of Research in Medical Sciences|Clinical Medicine|1735-1995|Bimonthly| |ISFAHAN UNIV MED SCIENCES +9671|Journal of Research in Music Education|Music|0022-4294|Quarterly| |MENC-NATL ASSOC MUSIC EDUCATION +9672|Journal of Research in Personality|Psychiatry/Psychology / Psychology; Personality|0092-6566|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9673|Journal of Research in Reading|Social Sciences, general / Reading|0141-0423|Semiannual| |WILEY-BLACKWELL PUBLISHING +9674|Journal of Research in Science Teaching|Social Sciences, general / Science|0022-4308|Monthly| |JOHN WILEY & SONS INC +9675|Journal of Research of the National Bureau of Standards| |0091-0635|Bimonthly| |US GOVERNMENT PRINTING OFFICE +9676|Journal of Research of the National Institute of Standards and Technology|Engineering|1044-677X|Bimonthly| |US GOVERNMENT PRINTING OFFICE +9677|Journal of Research on Adolescence|Psychiatry/Psychology / Adolescence; Adolescent; Adolescenten; Onderzoek|1050-8392|Quarterly| |WILEY-BLACKWELL PUBLISHING +9678|Journal of Research on the Lepidoptera| |0022-4324|Quarterly| |LEPIDOPTERA RESEARCH FOUNDATION +9679|Journal of Residuals Science & Technology|Environment/Ecology|1544-8053|Quarterly| |DESTECH PUBLICATIONS +9680|Journal of Retailing|Economics & Business / Retail trade; Selling; Detailhandel; Commerce de détail; Vente|0022-4359|Quarterly| |ELSEVIER SCIENCE INC +9681|Journal of Rheology|Physics / Rheology|0148-6055|Bimonthly| |JOURNAL RHEOLOGY AMER INST PHYSICS +9682|Journal of Rheumatology|Clinical Medicine / Arthritis; Rheumatic Diseases; Arthrite; Rhumatisme; Reumatologie|0315-162X|Monthly| |J RHEUMATOL PUBL CO +9683|Journal of Risk|Economics & Business|1465-1211|Quarterly| |INCISIVE MEDIA +9684|Journal of Risk and Insurance|Economics & Business / Insurance / Insurance|0022-4367|Quarterly| |WILEY-BLACKWELL PUBLISHING +9685|Journal of Risk and Uncertainty|Economics & Business / Risk; Uncertainty; Decision making; Information theory|0895-5646|Bimonthly| |SPRINGER +9686|Journal of Risk Model Validation| |1753-9579|Quarterly| |INCISIVE MEDIA +9687|Journal of Risk Research|Social Sciences, general / Technology|1366-9877|Bimonthly| |ROUTLEDGE JOURNALS +9688|Journal of Roman Studies|Inscriptions, Latin|0075-4358|Annual| |CAMBRIDGE UNIV PRESS +9689|Journal of Rubber Research|Materials Science|1511-1768|Quarterly| |RUBBER RES INST MALAYSIA +9690|Journal of Rural Health|Social Sciences, general / Rural health; Medicine, Rural; Rural Health|0890-765X|Quarterly| |WILEY-BLACKWELL PUBLISHING +9691|Journal of Rural Studies|Social Sciences, general / Sociology, Rural; Country life; Rural development; Land use, Rural; Rural conditions; Platteland|0743-0167|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +9692|Journal of Russian Laser Research|Physics / Lasers|1071-2836|Bimonthly| |SPRINGER +9693|Journal of Safety Research|Social Sciences, general / Industrial safety; Accidents; Accidents, Aviation; Accidents, Traffic; Research; Transport|0022-4375|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9694|Journal of Sandwich Structures & Materials|Materials Science / Sandwich construction; Laminated materials|1099-6362|Quarterly| |SAGE PUBLICATIONS LTD +9695|Journal of Saudi Chemical Society| |1319-6103|Bimonthly| |KING SAUD UNIV ACADEMIC PUBL & PRESS +9696|Journal of Scheduling|Engineering / Production scheduling; Scheduling|1094-6136|Bimonthly| |SPRINGER +9697|Journal of Scholarly Publishing|Social Sciences, general / Scholarly publishing; Édition savante|1198-9742|Quarterly| |UNIV TORONTO PRESS INC +9698|Journal of School Health|Social Sciences, general / Health education; Health Education; School Health Services; Éducation à la santé; Hygiène scolaire|0022-4391|Monthly| |WILEY-BLACKWELL PUBLISHING +9699|Journal of School Nursing|Social Sciences, general / School health services; School nursing; School Health Services; School Nursing|1059-8405|Bimonthly| |SAGE PUBLICATIONS INC +9700|Journal of School Psychology|Psychiatry/Psychology / School psychologists; School psychology; Child Psychology; Psychology, Educational|0022-4405|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +9701|Journal of Science and Its Applications| | |Semiannual| |GARYOUNIS UNIV +9702|Journal of Science and Medicine in Sport|Clinical Medicine / Sports sciences; Sports medicine; Exercise; Sports; Sports Medicine; Sportgeneeskunde|1440-2440|Bimonthly| |SPORTS MEDICINE AUSTRALIA +9703|Journal of Science Education and Technology|Social Sciences, general / Science; Engineering; Technical education|1059-0145|Quarterly| |SPRINGER +9704|Journal of Science University of Tehran| |1016-1058|Annual| |UNIV TEHRAN +9705|Journal of Sciences-Islamic Republic of Iran| |1016-1104|Quarterly| |UNIV TEHRAN +9706|Journal of Scientific & Industrial Research|Multidisciplinary|0022-4456|Monthly| |NATL INST SCIENCE COMMUNICATION-NISCAIR +9707|Journal of Scientific Computing|Computer Science / Science; Engineering|0885-7474|Monthly| |SPRINGER/PLENUM PUBLISHERS +9708|Journal of Sea Research|Plant & Animal Science / Oceanography; Marine biology|1385-1101|Bimonthly| |ELSEVIER SCIENCE BV +9709|Journal of Second Language Writing|Social Sciences, general / Language and languages; Written communication; Second language acquisition; English language; Tweede taal; Schrijfvaardigheid|1060-3743|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +9710|Journal of Sedimentary Research|Geosciences / Sedimentology; Sedimentation and deposition; Geology, Stratigraphic; Sedimenten; Stratigrafie; Stratigraphie; Roches sédimentaires; Sédimentologie; Sédimentation (Géologie)|1527-1404|Bimonthly| |SEPM-SOC SEDIMENTARY GEOLOGY +9711|Journal of Seismic Exploration|Geosciences|0963-0651|Quarterly| |GEOPHYSICAL PRESS +9712|Journal of Seismology|Geosciences / Seismology|1383-4649|Quarterly| |SPRINGER +9713|Journal of Semantics|Social Sciences, general / Semantics|0167-5133|Quarterly| |OXFORD UNIV PRESS +9714|Journal of Semitic Studies|Semitic philology; Jews; Semitische talen; Juifs; Philologie sémitique|0022-4480|Semiannual| |OXFORD UNIV PRESS +9715|Journal of Sensory Studies|Agricultural Sciences / Food|0887-8250|Quarterly| |WILEY-BLACKWELL PUBLISHING +9716|Journal of Separation Science|Chemistry / Separation (Technology); Chromatographic analysis; Séparation (Technologie); Chromatographie; Chromatography; Electrophoresis|1615-9306|Monthly| |WILEY-V C H VERLAG GMBH +9717|Journal of Sericultural Science of Japan| |0037-2455|Bimonthly| |JAPANESE SOC SERICULTURAL SCIENCE +9718|Journal of Service Management|Economics & Business /|1757-5818|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +9719|Journal of Service Research|Economics & Business / Customer services; Service industries|1094-6705|Quarterly| |SAGE PUBLICATIONS INC +9720|Journal of Services Marketing|Economics & Business / Service industries; Customer services; Marketing; Dienstensector|0887-6045|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +9721|Journal of Sex & Marital Therapy|Psychiatry/Psychology / Sexual disorders; Paraphilias; Psychotherapy; Marital psychotherapy; Marriage; Sex Disorders; Seksuele stoornissen; Gezinstherapie; Troubles sexuels; Perversion sexuelle; Psychothérapie; Thérapie conjugale / Sexual disorders; Para|0092-623X|Bimonthly| |BRUNNER-ROUTLEDGE +9722|Journal of Sex Research|Psychiatry/Psychology / Sexology|0022-4499|Quarterly| |ROUTLEDGE JOURNALS +9723|Journal of Sexual Medicine|Clinical Medicine / Sex; Hygiene, Sexual; Sexual disorders; Sex Disorders; Sexual Dysfunctions, Psychological|1743-6095|Monthly| |WILEY-BLACKWELL PUBLISHING +9724|Journal of Shaanxi Normal University-Natural Science Edition| |1001-3857|Quarterly| |SHAANXI NORMAL UNIV PRESS +9725|Journal of Shellfish Research|Plant & Animal Science / Shellfish; Shellfish culture; Shellfish fisheries; Coquillages; Conchyliculture|0730-8000|Quarterly| |NATL SHELLFISHERIES ASSOC +9726|Journal of Ship Research|Engineering|0022-4502|Quarterly| |SOC NAVAL ARCH MARINE ENG +9727|Journal of Shoulder and Elbow Surgery|Clinical Medicine / Shoulder; Elbow|1058-2746|Bimonthly| |MOSBY-ELSEVIER +9728|Journal of Siberian Federal University Biology| |1997-1389|Quarterly| |SIBERIAN FEDERAL UNIV +9729|Journal of Sichuan Forestry Science and Technology| |1003-5508|Quarterly| |SICHUAN FORESTRY DEPT +9730|Journal of Sichuan Normal University-Natural Science| |1001-8395|Bimonthly| |SICHUAN NORMAL UNIV +9731|Journal of Signal Processing Systems for Signal Image and Video Technology|Engineering / Signal processing|1939-8018|Monthly| |SPRINGER +9732|Journal of Sleep Research|Neuroscience & Behavior / Sleep; Sleep Disorders; Wakefulness; Slaap; Sommeil; Sommeil, Troubles du|0962-1105|Quarterly| |WILEY-BLACKWELL PUBLISHING +9733|Journal of Small Animal Practice|Plant & Animal Science / Veterinary medicine; Veterinary Medicine; Huisdieren; Diergeneeskunde|0022-4510|Monthly| |WILEY-BLACKWELL PUBLISHING +9734|Journal of Small Business Management|Economics & Business /|0047-2778|Quarterly| |WILEY-BLACKWELL PUBLISHING +9735|Journal of Smooth Muscle Research|Smooth muscle; Muscle, Smooth|0916-8737|Irregular| |JAPANESE SOC SMOOTH MUSCLE RESEARCH +9736|Journal of Social and Administrative Pharmacy| |0281-0662|Quarterly| |SWEDISH PHARMACEUTICAL PR +9737|Journal of Social and Clinical Psychology|Psychiatry/Psychology / Clinical psychology; Social psychology; Psychology, Clinical; Psychology, Social; Sociale psychologie; Klinische psychologie; Psychologie clinique; Psychologie sociale; Psychosociologie|0736-7236|Quarterly| |GUILFORD PUBLICATIONS INC +9738|Journal of Social and Personal Relationships|Social Sciences, general / Interpersonal relations; Social interaction; Social psychology; Communication; Human Development; Interpersonal Relations; Psychology, Clinical; Psychology, Social|0265-4075|Bimonthly| |SAGE PUBLICATIONS LTD +9739|Journal of Social Archaeology|Social Sciences, general / Social archaeology|1469-6053|Tri-annual| |SAGE PUBLICATIONS LTD +9740|Journal of Social Casework| |8755-4879| | |ALLIANCE CHILDREN & FAMILIES +9741|Journal of Social Forces|Social problems; Social service|1532-1282|Quarterly| |UNIV NORTH CAROLINA PRESS +9742|Journal of Social History| |0022-4529|Quarterly| |GEORGE MASON UNIV +9743|Journal of Social Issues|Social Sciences, general / Social problems; Social psychology; Social Problems; Psychology, Social|0022-4537|Quarterly| |WILEY-BLACKWELL PUBLISHING +9744|Journal of Social Policy|Social Sciences, general / Social policy; Public Policy; Sociale politiek; Politique sociale|0047-2794|Quarterly| |CAMBRIDGE UNIV PRESS +9745|Journal of Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social; Sociale psychologie; Psychologie sociale|0022-4545|Bimonthly| |HELDREF PUBLICATIONS +9746|Journal of Social Service Research|Social Sciences, general / Social service; Social Work|0148-8376|Quarterly| |HAWORTH PRESS INC +9747|Journal of Social Work|Social service; Social Work; Community Health Services|1468-0173|Quarterly| |SAGE PUBLICATIONS INC +9748|Journal of Social Work Education|Social Sciences, general /|1043-7797|Tri-annual| |COUNCIL SOCIAL WORK EDUCATION +9749|Journal of Social Work Practice|Social Sciences, general / Social service; Social Welfare; Social Work|0265-0533|Tri-annual| |ROUTLEDGE JOURNALS +9750|Journal of Sociolinguistics|Social Sciences, general / Sociolinguistics; Sociolinguïstiek|1360-6441|Quarterly| |WILEY-BLACKWELL PUBLISHING +9751|Journal of Sociology|Social Sciences, general / Sociology|1440-7833|Quarterly| |SAGE PUBLICATIONS LTD +9752|Journal of Software Maintenance and Evolution-Research and Practice|Computer Science / Software maintenance; Logiciels|1532-060X|Bimonthly| |JOHN WILEY & SONS LTD +9753|Journal of Soil and Nature| |1994-1978|Tri-annual| |GREEN WORLD FOUNDATION-GWF +9754|Journal of Soil and Water Conservation|Environment/Ecology /|0022-4561|Bimonthly| |SOIL WATER CONSERVATION SOC +9755|Journal of Soils and Sediments|Agricultural Sciences /|1439-0108|Quarterly| |SPRINGER HEIDELBERG +9756|Journal of Sol-Gel Science and Technology|Materials Science / Ceramic materials; Colloids|0928-0707|Monthly| |SPRINGER +9757|Journal of Solar Energy Engineering-Transactions of the Asme|Engineering / Solar energy|0199-6231|Quarterly| |ASME-AMER SOC MECHANICAL ENG +9758|Journal of Solid State Chemistry|Chemistry / Solid state chemistry|0022-4596|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9759|Journal of Solid State Electrochemistry|Chemistry /|1432-8488|Bimonthly| |SPRINGER +9760|Journal of Solution Chemistry|Chemistry / Solution (Chemistry); Biochemistry; Chemistry, Physical; Solutions|0095-9782|Monthly| |SPRINGER/PLENUM PUBLISHERS +9761|Journal of Song-Yuan Studies| |1059-3152|Annual| |IEAS PUBLICATION +9762|Journal of Sound and Vibration|Physics / Sound; Vibration|0022-460X|Weekly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +9763|Journal of South American Earth Sciences|Geosciences / Geology; Earth sciences|0895-9811|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9764|Journal of South China Agricultural University-Natural Science Edition| |1001-411X|Quarterly| |SOUTH CHINA AGRICULTURAL UNIV +9765|Journal of Southeast Asian Studies|Social Sciences, general /|0022-4634|Tri-annual| |CAMBRIDGE UNIV PRESS +9766|Journal of Southern African Studies|Social Sciences, general /|0305-7070|Quarterly| |ROUTLEDGE JOURNALS +9767|Journal of Southern History| |0022-4642|Quarterly| |SOUTHERN HISTORICAL ASSOC +9768|Journal of Southwest Forestry College| |1003-7179|Quarterly| |SOUTHWEST FORESTRY COLLEGE +9769|Journal of Spacecraft and Rockets|Engineering / Astronautics; Rocketry|0022-4650|Bimonthly| |AMER INST AERONAUT ASTRONAUT +9770|Journal of Spacecraft Technology|Engineering|0971-1600|Semiannual| |ISRO SATELLITE CENTER +9771|Journal of Spatial Science|Geosciences|1449-8596|Semiannual| |SPATIAL SCIENCES INST +9772|Journal of Special Education|Social Sciences, general / Special education; Children with disabilities; Education, Special; Speciaal onderwijs; Éducation spéciale; Enfants handicapés|0022-4669|Quarterly| |SAGE PUBLICATIONS INC +9773|Journal of Speech and Hearing Disorders| |0022-4677|Quarterly| |AMER SPEECH-LANGUAGE-HEARING ASSOC +9774|Journal of Speech Disorders| |0885-9426|Quarterly| |AMER SPEECH-LANGUAGE-HEARING ASSOC +9775|Journal of Speech Language and Hearing Research|Social Sciences, general / Speech disorders; Speech; Hearing; Hearing Disorders; Language Disorders; Speech Disorders; Spraak; Gehoor; Taalpsychologie; Parole, Troubles de la; Langage, Troubles du; Audition, Troubles de l'|1092-4388|Bimonthly| |AMER SPEECH-LANGUAGE-HEARING ASSOC +9776|Journal of Spinal Cord Medicine|Clinical Medicine|1079-0268|Bimonthly| |AMER PARAPLEGIA SOC +9777|Journal of Spinal Disorders & Techniques|Clinical Medicine / Spinal cord; Spinal Diseases; Cordotomy; Spinal Cord Diseases; Spinal Fusion; Spine; Neurologie; Wervelkolom; Behandelingsmethoden|1536-0652|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +9778|Journal of Spirochetal and Tick-Borne Diseases| |1060-0051|Quarterly| |LYME DISEASE FOUNDATION INC +9779|Journal of Sport & Exercise Psychology|Psychiatry/Psychology|0895-2779|Bimonthly| |HUMAN KINETICS PUBL INC +9780|Journal of Sport & Social Issues|Social Sciences, general / Sports / Sports|0193-7235|Quarterly| |SAGE PUBLICATIONS INC +9781|Journal of Sport Management|Clinical Medicine|0888-4773|Quarterly| |HUMAN KINETICS PUBL INC +9782|Journal of Sport Rehabilitation|Social Sciences, general|1056-6716|Quarterly| |HUMAN KINETICS PUBL INC +9783|Journal of Sports Economics|Economics & Business / Sports; Professional sports; Sports professionnels|1527-0025|Quarterly| |SAGE PUBLICATIONS INC +9784|Journal of Sports Medicine and Physical Fitness|Clinical Medicine|0022-4707|Quarterly| |EDIZIONI MINERVA MEDICA +9785|Journal of Sports Science and Medicine|Clinical Medicine|1303-2968|Quarterly| |JOURNAL SPORTS SCIENCE & MEDICINE +9786|Journal of Sports Sciences|Clinical Medicine / Sports; Exertion; Sports Medicine|0264-0414|Bimonthly| |TAYLOR & FRANCIS LTD +9787|Journal of Statistical Computation and Simulation|Mathematics / Mathematical statistics; Digital computer simulation|0094-9655|Bimonthly| |TAYLOR & FRANCIS LTD +9788|Journal of Statistical Mechanics-Theory and Experiment|Physics /|1742-5468|Monthly| |IOP PUBLISHING LTD +9789|Journal of Statistical Physics|Physics / Statistical physics; Physique statistique|0022-4715|Semimonthly| |SPRINGER +9790|Journal of Statistical Planning and Inference|Mathematics / Mathematical statistics|0378-3758|Monthly| |ELSEVIER SCIENCE BV +9791|Journal of Statistical Software|Computer Science|1548-7660|Irregular| |JOURNAL STATISTICAL SOFTWARE +9792|Journal of Steroid Biochemistry and Molecular Biology|Biology & Biochemistry / Steroid hormones; Biochemistry; Hormones; Molecular Biology; Hormones stéroïdes; Biochimie; Biologie moléculaire; Stéroïdes|0960-0760|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +9793|Journal of Stored Products Research|Plant & Animal Science / Food; Farm produce; Entomology; Food Contamination; Food Preservation; Insect Control|0022-474X|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +9794|Journal of Strain Analysis for Engineering Design|Engineering / Strains and stresses; Strain gages; Contraintes (Mécanique); Jauges de contrainte|0309-3247|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +9795|Journal of Strategic Information Systems|Computer Science / Management information systems; Information technology|0963-8687|Quarterly| |ELSEVIER SCIENCE BV +9796|Journal of Strategic Studies|Social Sciences, general / Strategy; Military policy; World politics; Stratégie; Politique militaire; Politique mondiale; Militaire strategie; Militaire politiek|0140-2390|Bimonthly| |ROUTLEDGE JOURNALS +9797|Journal of Stratigraphy| |0253-4959|Quarterly| |NANJING INST GEOLOGY PALAEONTOLOGY +9798|Journal of Strength and Conditioning Research|Clinical Medicine / Physical education and training; Weight training; Physical fitness; Exercise; Physical Education and Training; Physical Fitness; Sports; Sporttraining|1064-8011|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +9799|Journal of Stroke & Cerebrovascular Diseases|Clinical Medicine / Cerebrovascular disease; Cerebrovascular Disorders; Hersenbloeding; Vaatziekten|1052-3057|Bimonthly| |ELSEVIER SCIENCE BV +9800|Journal of Structural and Functional Genomics|DNA; Genomes; Gene expression; Genomics; Genes, Structural; Molecular Biology; Genoom|1345-711X|Quarterly| |SPRINGER +9801|Journal of Structural Biology|Biology & Biochemistry / Ultrastructure (Biology); Molecular structure; Cytology; Cells; Microscopy; Molecular Biology; Molecular Structure|1047-8477|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9802|Journal of Structural Chemistry|Chemistry / Chemistry, Physical and theoretical; Chemie; Structuuranalyse|0022-4766|Bimonthly| |SPRINGER +9803|Journal of Structural Engineering-Asce|Engineering / Structural engineering; Génie civil; Constructions, Théorie des|0733-9445|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +9804|Journal of Structural Geology|Geosciences / Geology, Structural|0191-8141|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +9805|Journal of Studies in International Education|Social Sciences, general / International education; Educational exchanges|1028-3153|Bimonthly| |SAGE PUBLICATIONS INC +9806|Journal of Studies on Alcohol and Drugs| |1937-1888|Bimonthly| |ALCOHOL RES DOCUMENTATION INC CENT ALCOHOL STUD RUTGERS UNIV +9807|Journal of Submicroscopic Cytology and Pathology| |1122-9497|Quarterly| |NUOVA IMMAGINE EDITRICE +9808|Journal of Substance Abuse Treatment|Social Sciences, general / Substance abuse; Substance-Related Disorders|0740-5472|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9809|Journal of Substance Use|Social Sciences, general / Substance abuse; Medication abuse; Substance-Related Disorders|1465-9891|Bimonthly| |INFORMA HEALTHCARE +9810|Journal of Sulfur Chemistry|Chemistry /|1741-5993|Bimonthly| |TAYLOR & FRANCIS LTD +9811|Journal of Supercomputing|Computer Science / Supercomputers|0920-8542|Monthly| |SPRINGER +9812|Journal of Superconductivity and Novel Magnetism|Physics / Superconductivity; Magnetism|1557-1939|Bimonthly| |SPRINGER +9813|Journal of Supercritical Fluids|Chemistry / Supercritical fluids; Supercritical fluid chromatography / Supercritical fluids; Supercritical fluid chromatography|0896-8446|Monthly| |ELSEVIER SCIENCE BV +9814|Journal of Superhard Materials|Materials Science / Hard materials; Heat resistant materials|1063-4576|Bimonthly| |SPRINGER +9815|Journal of Supply Chain Management|Purchasing; Materials management; Industrial procurement|1523-2409|Quarterly| |JOHN WILEY & SONS INC +9816|Journal of Surface Investigation-X-Ray Synchrotron and Neutron Techniques|Physics / Surfaces (Physics); Surface chemistry; Surfaces (Technology)|1027-4510|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +9817|Journal of Surfactants and Detergents|Chemistry / Surface active agents; Detergents|1097-3958|Quarterly| |SPRINGER HEIDELBERG +9818|Journal of Surgical Education|Social Sciences, general / Surgery|1931-7204|Bimonthly| |ELSEVIER SCIENCE INC +9819|Journal of Surgical Oncology|Clinical Medicine / Cancer; Neoplasms|0022-4790|Semimonthly| |WILEY-LISS +9820|Journal of Surgical Research|Clinical Medicine / Surgery, Experimental; Surgery|0022-4804|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +9821|Journal of Surveying Engineering-Asce|Engineering / Surveying; Arpentage|0733-9453|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +9822|Journal of Sustainable Agriculture|Agricultural Sciences / Sustainable agriculture|1044-0046|Bimonthly| |HAWORTH PRESS INC +9823|Journal of Sustainable Tourism|Social Sciences, general / Tourism; Sustainable development|0966-9582|Bimonthly| |CHANNEL VIEW PUBLICATIONS +9824|Journal of Swine Health and Production|Plant & Animal Science|1537-209X|Bimonthly| |AMER ASSOC SWINE VETERINARIANS +9825|Journal of Symbolic Computation|Engineering / Mathematics; Numerical analysis; Automatic programming (Computer science)|0747-7171|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +9826|Journal of Symbolic Logic|Mathematics / Logic, Symbolic and mathematical; Symbolische logica; Logique symbolique et mathématique; Logique mathématique; Logique (Philosophie) / Logic, Symbolic and mathematical; Symbolische logica; Logique symbolique et mathématique; Logique mathém|0022-4812|Quarterly| |ASSOC SYMBOLIC LOGIC +9827|Journal of Symplectic Geometry|Mathematics|1527-5256|Quarterly| |INT PRESS BOSTON +9828|Journal of Synchrotron Radiation|Physics / Synchrotron radiation; Synchrotrons; Radiation; Synchrotronstraling|0909-0495|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9829|Journal of Synthetic Organic Chemistry Japan|Chemistry /|0037-9980|Monthly| |SOC SYNTHETIC ORGANIC CHEM JPN +9830|Journal of Systematic Palaeontology|Plant & Animal Science / Paleontology; Geology, Stratigraphic; Paleoecology; Paleontologie|1477-2019|Quarterly| |TAYLOR & FRANCIS LTD +9831|Journal of Systematics and Evolution|Plant & Animal Science / Plants /|0529-1526|Bimonthly| |SCIENCE CHINA PRESS +9832|Journal of Systems and Software|Computer Science / Electronic digital computers; Computer programming|0164-1212|Monthly| |ELSEVIER SCIENCE INC +9833|Journal of Systems Architecture|Computer Science / Computer architecture; Microprocessors; Microprogramming|1383-7621|Monthly| |ELSEVIER SCIENCE BV +9834|Journal of Systems Engineering and Electronics|Engineering /|1004-4132|Quarterly| |SYSTEMS ENGINEERING & ELECTRONICS +9835|Journal of Systems Science & Complexity|Mathematics / System theory; Mathematics; System analysis; Computational complexity|1009-6124|Quarterly| |SPRINGER +9836|Journal of Systems Science and Systems Engineering|Engineering / System theory; System analysis; Systems engineering|1004-3756|Quarterly| |SPRINGER HEIDELBERG +9837|Journal of Taiwan Agricultural Research| |0376-477X|Quarterly| |TAIWAN AGRICULTURAL RESEARCH INST +9838|Journal of Taiwan Fisheries Research| |1018-7324|Semiannual| |TAIWAN FISHERIES RESEARCH INST +9839|Journal of Taiwan Normal University-Mathematics Science & Technology| |1684-7636|Semiannual| |NATL TAIWAN NORMAL UNIV +9840|Journal of Taphonomy| |1696-0815|Quarterly| |PROMETHEUS PRESS S L +9841|Journal of Taxation|Economics & Business|0022-4863|Monthly| |RIA-THOMSONREUTERS +9842|Journal of Taxonomy & Biodiversity Research| |1992-0644|Semiannual| |BIODIVERSITY RES GRP BANGLADESH-BRGB +9843|Journal of Teacher Education|Social Sciences, general / Teachers|0022-4871|Bimonthly| |CORWIN PRESS INC A SAGE PUBLICATIONS CO +9844|Journal of Teaching in Physical Education|Social Sciences, general|0273-5024|Quarterly| |HUMAN KINETICS PUBL INC +9845|Journal of Technology Transfer|Engineering / Technology transfer; Bedrijfskunde; Technologie|0892-9912|Bimonthly| |SPRINGER +9846|Journal of Telemedicine and Telecare|Clinical Medicine / Telemedicine|1357-633X|Bimonthly| |ROYAL SOC MEDICINE PRESS LTD +9847|Journal of Terramechanics|Engineering / Trafficability|0022-4898|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9848|Journal of Testing and Evaluation|Materials Science / Materials; Matériaux|0090-3973|Bimonthly| |AMER SOC TESTING MATERIALS +9849|Journal of Texture Studies|Agricultural Sciences / Food texture; Rheology; Pharmacy; Drug Stability; Food Analysis; Pharmacie; Aliments; Rhéologie|0022-4901|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9850|Journal of the Academy of Marketing Science|Economics & Business / Marketing|0092-0703|Quarterly| |SPRINGER +9851|Journal of the Acadian Entomological Society| | |Irregular| |ACADIAN ENTOMOL SOC +9852|Journal of the Acarological Society of Japan|Acarology|0918-1067|Semiannual| |ACAROL SOC JAPAN +9853|Journal of the ACM|Computer Science / Computers; Informatica; Ordinateurs|0004-5411|Bimonthly| |ASSOC COMPUTING MACHINERY +9854|Journal of the Acoustical Society of America|Physics / Music; Acoustics; Akoestiek; Son|0001-4966|Monthly| |ACOUSTICAL SOC AMER AMER INST PHYSICS +9855|Journal of the Adelaide Botanic Gardens| |0313-4083|Semiannual| |ADELAIDE BOTANIC GARDENS +9856|Journal of the Agricultural Association of China| |0578-1434|Quarterly| |AGRICULTURAL ASSOC CHINA +9857|Journal of the Air & Waste Management Association|Engineering / Air; Air quality management; Hazardous wastes; Air Pollution; Hazardous Waste|1047-3289|Monthly| |AIR & WASTE MANAGEMENT ASSOC +9858|Journal of the Alabama Academy of Science| |0002-4112|Quarterly| |AUBURN UNIV +9859|Journal of the American Academy of Audiology|Clinical Medicine / Audiology; Hearing disorders; Hearing Disorders|1050-0545|Monthly| |AMER ACAD AUDIOLOGY +9860|Journal of the American Academy of Child and Adolescent Psychiatry|Psychiatry/Psychology / Child psychiatry; Adolescent psychiatry; Adolescent Psychiatry; Child Psychiatry; Kinder- en jeugdpsychiatrie; Enfants; Adolescents|0890-8567|Monthly| |ELSEVIER SCIENCE BV +9861|Journal of the American Academy of Dermatology|Clinical Medicine / Dermatology|0190-9622|Monthly| |MOSBY-ELSEVIER +9862|Journal of the American Academy of Nurse Practitioners|Social Sciences, general / Nurse practitioners; Nurse Practitioners|1041-2972|Monthly| |WILEY-BLACKWELL PUBLISHING +9863|Journal of the American Academy of Orthopaedic Surgeons|Clinical Medicine|1067-151X|Bimonthly| |AMER ACAD ORTHOPAEDIC SURGEONS +9864|Journal of the American Academy of Psychiatry and the Law|Psychiatry/Psychology|1093-6793|Quarterly| |AMER ACAD PSYCHIATRY & LAW +9865|Journal of the American Academy of Religion|Religion|0002-7189|Quarterly| |OXFORD UNIV PRESS INC +9866|Journal of the American Animal Hospital Association|Plant & Animal Science|0587-2871|Bimonthly| |AMER ANIMAL HOSPITAL ASSOC +9867|Journal of the American Association for Laboratory Animal Science|Plant & Animal Science|1559-6109|Bimonthly| |AMER ASSOC LABORATORY ANIMAL SCIENCE +9868|Journal of the American Board of Family Medicine|Clinical Medicine / Family medicine; Family Practice|1557-2625|Bimonthly| |AMER BOARD FAMILY MEDICINE +9869|Journal of the American Ceramic Society|Materials Science / Pottery; Céramique|0002-7820|Monthly| |WILEY-BLACKWELL PUBLISHING +9870|Journal of the American Chemical Society|Chemistry / Chemistry; Química; Chemie; Chimie|0002-7863|Weekly| |AMER CHEMICAL SOC +9871|Journal of the American College of Cardiology|Clinical Medicine / Cardiology; Cardiologie|0735-1097|Monthly| |ELSEVIER SCIENCE INC +9872|Journal of the American College of Nutrition|Biology & Biochemistry|0731-5724|Bimonthly| |AMER COLLEGE NUTRITION +9873|Journal of the American College of Surgeons|Clinical Medicine / Surgery; Chirurgie (geneeskunde); Chirurgie|1072-7515|Monthly| |ELSEVIER SCIENCE INC +9874|Journal of the American Dental Association|Clinical Medicine|0002-8177|Monthly| |AMER DENTAL ASSOC +9875|Journal of the American Dietetic Association|Clinical Medicine / Diet; Diet in disease; Dietetics; Dieetleer|0002-8223|Monthly| |AMER DIETETIC ASSOC +9876|Journal of the American Geographical Society of New York|Geography; Géographie|1536-0407|Bimonthly| |AMER GEOGRAPHICAL SOC +9877|Journal of the American Geriatrics Society|Social Sciences, general / Geriatrics; Geriatrie|0002-8614|Monthly| |WILEY-BLACKWELL PUBLISHING +9878|Journal of the American Helicopter Society|Engineering /|0002-8711|Quarterly| |AMER HELICOPTER SOC INC +9879|Journal of the American Institute for Conservation|Art; Museum conservation methods; Paper|0197-1360|Tri-annual| |AMER INST CONSERVATION HISTORIC ARTISTIC WORKS +9880|Journal of the American Institute of Criminal Law and Criminology|Criminal law; Crime; Police; Criminologie; Strafrecht; Strafrechtspleging|0885-4173| | |AMER INST CRIMINAL LAW & CRIMINOLOGY +9881|Journal of the American Leather Chemists Association|Materials Science|0002-9726|Monthly| |AMER LEATHER CHEMISTS ASSOC +9882|Journal of the American Mathematical Society|Mathematics / Mathematics; Wiskunde; Mathématiques|0894-0347|Quarterly| |AMER MATHEMATICAL SOC +9883|Journal of the American Medical Association| |0002-9955|Weekly| |AMER MEDICAL ASSOC +9884|Journal of the American Medical Directors Association|Clinical Medicine / Long-term care facilities; Older people; Nursing homes; Long-Term Care; Clinical Medicine; Nursing Homes|1525-8610|Monthly| |ELSEVIER SCIENCE INC +9885|Journal of the American Medical Informatics Association|Social Sciences, general / Medical informatics; Medical Informatics; Medical Informatics Applications; Informatica; Geneeskunde; Informatique médicale|1067-5027|Bimonthly| |B M J PUBLISHING GROUP +9886|Journal of the American Mosquito Control Association|Plant & Animal Science / Mosquitoes; Mosquito Control; Infectieziekten; Muggen|8756-971X|Quarterly| |AMER MOSQUITO CONTROL ASSOC +9887|Journal of the American Musical Instrument Society| |0362-3300|Annual| |AMER MUSICAL INSTRUMENT SOC +9888|Journal of the American Musicological Society|Musicology; Muziekwetenschap; Musicologie|0003-0139|Tri-annual| |UNIV CALIFORNIA PRESS +9889|Journal of the American Nutraceutical Association| |1521-4524|Tri-annual| |AMER NUTRACEUTICAL ASSOC +9890|Journal of the American Oil Chemists Society|Agricultural Sciences / Fats; Food-Processing Industry; Oils and fats; Soap; Oliën; Chemie; Huiles et graisses; Acides gras; Aliments; Savon / Fats; Food-Processing Industry; Oils and fats; Soap; Oliën; Chemie; Huiles et graisses; Acides gras; Aliments; |0003-021X|Monthly| |SPRINGER +9891|Journal of the American Oriental Society|Oriental philology|0003-0279|Quarterly| |AMER ORIENTAL SOC +9892|Journal of the American Pharmacists Association|Pharmacology & Toxicology / Pharmacy; Drug Therapy; Pharmaceutical Preparations|1544-3191|Bimonthly| |AMER PHARMACEUTICAL ASSOC +9893|Journal of the American Planning Association|Social Sciences, general / Planning; City planning; Regional planning; Ruimtelijke ordening; Urbanisme; Aménagement du territoire; URBAN PLANNING; REGIONAL PLANNING; PROGRAMME PLANNING; ECONOMIC PLANNING; SOCIAL PLANNING|0194-4363|Quarterly| |ROUTLEDGE JOURNALS +9894|Journal of the American Podiatric Medical Association|Clinical Medicine|8750-7315|Bimonthly| |AMER PODIATRIC MED ASSOC +9895|Journal of the American Pomological Society|Agricultural Sciences|1527-3741|Quarterly| |AMER POMOLOGICAL SOC +9896|Journal of the American Psychoanalytic Association|Psychiatry/Psychology / Psychoanalysis; Psychoanalyse; Psychanalyse|0003-0651|Quarterly| |SAGE PUBLICATIONS INC +9897|Journal of the American Public Health Association| |0273-1975| | |AMER PUBLIC HEALTH ASSOC INC +9898|Journal of the American Society for Horticultural Science|Plant & Animal Science|0003-1062|Bimonthly| |AMER SOC HORTICULTURAL SCIENCE +9899|Journal of the American Society for Information Science and Technology|Social Sciences, general / Information science; Information technology; Information Science; Documentation; Sciences de l'information; Informatiewetenschap|1532-2882|Monthly| |JOHN WILEY & SONS INC +9900|Journal of the American Society for Mass Spectrometry|Chemistry / Mass spectrometry; Spectrum Analysis, Mass|1044-0305|Monthly| |ELSEVIER SCIENCE INC +9901|Journal of the American Society of Agronomy| |0095-9650|Monthly| |AMER SOC AGRONOMY +9902|Journal of the American Society of Brewing Chemists|Agricultural Sciences /|0361-0470|Quarterly| |AMER SOC BREWING CHEMISTS INC +9903|Journal of the American Society of Echocardiography|Clinical Medicine / Echocardiography / Echocardiography|0894-7317|Monthly| |MOSBY-ELSEVIER +9904|Journal of the American Society of Hypertension|Clinical Medicine / Hypertension|1933-1711|Bimonthly| |ELSEVIER SCIENCE INC +9905|Journal of the American Society of Nephrology|Clinical Medicine / Nephrology; Kidneys; Kidney Diseases|1046-6673|Monthly| |AMER SOC NEPHROLOGY +9906|Journal of the American Statistical Association|Mathematics / Statistics; Statistiek; Statistique; STATISTICAL METHODOLOGY|0162-1459|Quarterly| |AMER STATISTICAL ASSOC +9907|Journal of the American Water Resources Association|Environment/Ecology / Water-supply; Hydrology; Water resources development; Eau; Hydrologie; Ressources en eau|1093-474X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9908|Journal of the Anatomical Society of India|Biology & Biochemistry|0003-2778|Semiannual| |ANATOMICAL SOC INDIA +9909|Journal of the Arizona-Nevada Academy of Science|Science; Sciences|0193-8509|Semiannual| |ARIZONA-NEVADA ACAD SCIENCE +9910|Journal of the Arkansas Academy of Science| |0097-4374|Annual| |ARKANSAS ACAD SCI +9911|Journal of the Asia Pacific Economy|Economics & Business /|1354-7860|Quarterly| |ROUTLEDGE JOURNALS +9912|Journal of the Asiatic Society| |0368-3303|Quarterly| |ASIATIC SOC +9913|Journal of the Association for Information Systems|Computer Science|1536-9323|Monthly| |ASSOC INFORMATION SYSTEMS +9914|Journal of the Association of American Medical Colleges| |0095-9545|Bimonthly| |ASSOC AMER MEDICAL COLLEGES +9915|Journal of the Association of Genetic Technologists| |1523-7834|Quarterly| |ASSOC GENETIC TECHNOLOGISTS +9916|Journal of the Astronautical Sciences|Engineering|0021-9142|Quarterly| |AMER ASTRONAUTICAL SOC +9917|Journal of the Atmospheric Sciences|Geosciences / Meteorology; Atmosphere|0022-4928|Semimonthly| |AMER METEOROLOGICAL SOC +9918|Journal of the Audio Engineering Society|Engineering|1549-4950|Monthly| |AUDIO ENGINEERING SOC +9919|Journal of the Australian Mathematical Society|Mathematics / Mathematics; Statistics; Mathematical statistics; Wiskunde|1446-7887|Bimonthly| |CAMBRIDGE UNIV PRESS +9920|Journal of the Australian Traditional-Medicine Society|Clinical Medicine|1326-3390|Quarterly| |AUSTRALIAN TRADITIONAL-MEDICINE SOC LTD +9921|Journal of the Balkan Tribological Association|Engineering|1310-4772|Quarterly| |SCIBULCOM LTD +9922|Journal of the Black Sea-Mediterranean Environment| | |Tri-annual| |ISTANBUL UNIV +9923|Journal of the Bombay Natural History Society| |0006-6982|Tri-annual| |BOMBAY NATURAL HISTORY SOC +9924|Journal of the Botanical Research Institute of Texas| |1934-5259|Semiannual| |BOTANICAL RESEARCH INST TEXAS PRESS +9925|Journal of the Brazilian Chemical Society|Chemistry / Chemistry|0103-5053|Bimonthly| |SOC BRASILEIRA QUIMICA +9926|Journal of the Brazilian Society of Mechanical Sciences and Engineering|Engineering /|1678-5878|Quarterly| |ABCM BRAZILIAN SOC MECHANICAL SCIENCES & ENGINEERING +9927|Journal of the British Archaeological Association|Archaeology|0068-1288|Annual| |MANEY PUBLISHING +9928|Journal of the British Dragonfly Society| |1357-2342|Semiannual| |BRITISH DRAGONFLY SOC +9929|Journal of the British Society for Phenomenology| |0007-1773|Tri-annual| |JACKSON PUBLISHING & DISTRIBUTION +9930|Journal of the British Tarantula Society| |0962-449X|Quarterly| |BRITISH TARANTULA SOC +9931|Journal of the Cameroon Academy of Sciences| | |Tri-annual| |CAMEROON ACAD SCIENCES +9932|Journal of the Canadian Dental Association|Clinical Medicine|1488-2159|Monthly| |CANADIAN DENTAL ASSOC +9933|Journal of the Ceramic Society of Japan|Materials Science / Ceramics|1882-0743|Monthly| |CERAMIC SOC JAPAN-NIPPON SERAMIKKUSU KYOKAI +9934|Journal of the Chemical Society|Chemistry; Chemie / Chemistry; Chemie|0368-1769|Monthly| |ROYAL SOC CHEMISTRY +9935|Journal of the Chemical Society of Pakistan|Chemistry|0253-5106|Quarterly| |CHEM SOC PAKISTAN +9936|Journal of the Chemical Society-Chemical Communications|Chemistry|0022-4936|Semimonthly| |ROYAL SOC CHEMISTRY +9937|Journal of the Chilean Chemical Society|Chemistry /|0717-9324|Quarterly| |SOC CHILENA QUIMICA +9938|Journal of the Chinese Chemical Society|Chemistry|0009-4536|Bimonthly| |CHINESE CHEMICAL SOC +9939|Journal of the Chinese Institute of Engineers|Engineering|0253-3839|Bimonthly| |CHINESE INST ENGINEERS +9940|Journal of the Chinese Medical Association|Clinical Medicine / Medicine|1726-4901|Monthly| |ELSEVIER SINGAPORE PTE LTD +9941|Journal of the Chinese Society of Mechanical Engineers|Engineering|0257-9731|Bimonthly| |CHINESE SOC MECHANICAL ENGINEERS +9942|Journal of the Copyright Society of the Usa|Social Sciences, general|0886-3520|Quarterly| |COPYRIGHT SOC USA +9943|Journal of the Early Republic| |0275-1275|Irregular| |UNIV PENNSYLVANIA PRESS +9944|Journal of the Economic and Social History of the Orient|Social Sciences, general / Economic history|0022-4995|Quarterly| |BRILL ACADEMIC PUBLISHERS +9945|Journal of the Egyptian German Society of Zoology| |1110-2101|Monthly| |EGYPTIAN GERMAN SOC ZOOLOGY +9946|Journal of the Egyptian Society of Parasitology| |1110-0583|Semiannual| |EGYPTIAN SOC PARASITOLOGY +9947|Journal of The Electrochemical Society|Chemistry / Chemistry; Electronics; Electrochemistry; Elektrochemie; Chimie; Électronique|0013-4651|Monthly| |ELECTROCHEMICAL SOC INC +9948|Journal of the Energy Institute|Engineering / Power resources; Power (Mechanics); Fuel|1743-9671|Quarterly| |MANEY PUBLISHING +9949|Journal of the Entomological Research Society|Plant & Animal Science|1302-0250|Tri-annual| |GAZI ENTOMOLOGICAL RESEARCH SOC +9950|Journal of the Entomological Society of British Columbia| |0071-0733|Annual| |ENTOMOLOGICAL SOC BRITISH COLUMBIA +9951|Journal of the Entomological Society of Ontario| |1713-7845|Annual| |ENTOMOLOGICAL SOC ONTARIO +9952|Journal of the European Academy of Dermatology and Venereology|Clinical Medicine / Dermatology; Sexually transmitted diseases; Sexually Transmitted Diseases; Skin Diseases|0926-9959|Bimonthly| |WILEY-BLACKWELL PUBLISHING +9953|Journal of the European Ceramic Society|Materials Science / Ceramic materials; Composite materials|0955-2219|Semimonthly| |ELSEVIER SCI LTD +9954|Journal of the European Economic Association|Economics & Business / Economics|1542-4766|Bimonthly| |M I T PRESS +9955|Journal of the European Mathematical Society|Mathematics / Mathematics; Wiskunde; Mathematik|1435-9855|Quarterly| |EUROPEAN MATHEMATICAL SOC +9956|Journal of the European Optical Society-Rapid Publications|Physics /|1990-2573|Irregular| |EUROPEAN OPTICAL SOC +9957|Journal of the Experimental Analysis of Behavior|Psychiatry/Psychology / Psychology; Behavior; Psychologische functieleer; Psychologie|0022-5002|Bimonthly| |SOC EXP ANALYSIS BEHAVIOR INC +9958|Journal of the Faculty of Agriculture Kyushu University|Agricultural Sciences|0023-6152|Semiannual| |KYUSHU UNIV +9959|Journal of the Faculty of Agriculture Tottori University| |0082-5360|Irregular| |TOTTORI UNIV +9960|Journal of the Faculty of Applied Biological Science-Hiroshima University| |1341-691X|Semiannual| |HIROSHIMA UNIV +9961|Journal of the Faculty of Engineering and Architecture of Gazi University|Engineering|1300-1884|Quarterly| |GAZI UNIV +9962|Journal of the Faculty of Science Ege University Series A-B| | |Semiannual| |EGE UNIVERSITESI +9963|Journal of the Fisheries Society of Taiwan| |0379-4180|Semiannual| |FISHERIES SOC TAIWAN +9964|Journal of the Food Hygienic Society of Japan|Agricultural Sciences|0015-6426|Bimonthly| |FOOD HYG SOC JPN +9965|Journal of the Formosan Medical Association|Clinical Medicine / Medicine|0929-6646|Monthly| |ELSEVIER SINGAPORE PTE LTD +9966|Journal of the Franklin Institute|Science; Technology; Patents; Technische wetenschappen; Exacte wetenschappen|0016-0032|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +9967|Journal of the Franklin Institute-Engineering and Applied Mathematics|Engineering|0016-0032|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +9968|Journal of the Geological Society|Geosciences / Geology; Geologie; Géologie|0016-7649|Bimonthly| |GEOLOGICAL SOC PUBL HOUSE +9969|Journal of the Geological Society of China| |1018-7057|Quarterly| |GEOLOGICAL SOC CHINA +9970|Journal of the Geological Society of India|Geosciences /|0016-7622|Monthly| |SPRINGER INDIA +9971|Journal of the Geological Society of Japan| |0016-7630|Monthly| |GEOLOGICAL SOC JAPAN +9972|Journal of the Graduate School of Agriculture Hokkaido University| |1345-6601|Annual| |HOKKAIDO UNIV +9973|Journal of the Hattori Botanical Laboratory|Plant & Animal Science|0073-0912|Semiannual| |HATTORI BOTANICAL LABORATORY +9974|Journal of the Historical Society|History|1529-921X|Quarterly| |WILEY-BLACKWELL PUBLISHING +9975|Journal of the History of Biology|Biology; Biologie|0022-5010|Quarterly| |SPRINGER +9976|Journal of the History of Economic Thought|Economics|1053-8372|Quarterly| |CAMBRIDGE UNIV PRESS +9977|Journal of the History of Ideas|Philosophy; Ideeëngeschiedenis; Philosophie|0022-5037|Quarterly| |UNIV PENNSYLVANIA PRESS +9978|Journal of the History of Medicine and Allied Sciences|Clinical Medicine / Medicine; Science; History of Medicine; Geneeskunde; Médecine|0022-5045|Quarterly| |OXFORD UNIV PRESS INC +9979|Journal of the History of Philosophy| |0022-5053|Quarterly| |JOHNS HOPKINS UNIV PRESS +9980|Journal of the History of Sexuality|Social Sciences, general /|1043-4070|Quarterly| |UNIV TEXAS PRESS +9981|Journal of the History of the Behavioral Sciences|Social Sciences, general / Psychology; Social sciences; Psychiatry; Gedragswetenschappen; Klinische psychologie|0022-5061|Quarterly| |JOHN WILEY & SONS INC +9982|Journal of the History of the Neurosciences|Neuroscience & Behavior / Neurosciences; Neurology|0964-704X|Quarterly| |TAYLOR & FRANCIS INC +9983|Journal of the Indian Botanical Society| |0019-4468|Quarterly| |INDIAN BOTANICAL SOC +9984|Journal of the Indian Chemical Society|Chemistry|0019-4522|Monthly| |SCIENTIFIC PUBL-INDIA +9985|Journal of the Indian Fisheries Association| |0971-1422|Annual| |INDIAN FISHERIES ASSOC +9986|Journal of the Indian Institute of Science| |0970-4140|Monthly| |INDIAN INST SCIENCE +9987|Journal of the Indian Society of Remote Sensing|Engineering / Photographic interpretation; Remote sensing|0255-660X|Quarterly| |SPRINGER +9988|Journal of the Inland Fisheries Society of India| |0379-3435|Semiannual| |INLAND FISHERIES SOC INDIA +9989|Journal of the Institute of Agriculture and Animal Science| |1018-6182|Annual| |INST AGRICULTURE & ANIMAL SCIENCE +9990|Journal of the Institute of Brewing|Agricultural Sciences|0046-9750|Bimonthly| |INST BREWING +9991|Journal of the Institute of Mathematics of Jussieu|Mathematics / Mathematics|1474-7480|Quarterly| |CAMBRIDGE UNIV PRESS +9992|Journal of the Institute of Metals| |0020-2975|Monthly| |I O M COMMUNICATIONS LTD INST MATERIALS +9993|Journal of the Institute of Telecommunications Professionals|Computer Science|1755-9278|Quarterly| |ITP-INST TELECOMMUNICATIONS PROFESSIONALS +9994|Journal of the International Neuropsychological Society|Clinical Medicine / Neuropsychology; Clinical neuropsychology; Nervous System Diseases; Neuropsychologie|1355-6177|Bimonthly| |CAMBRIDGE UNIV PRESS +9995|Journal of the International Phonetic Association|Social Sciences, general / Phonetics|0025-1003|Tri-annual| |CAMBRIDGE UNIV PRESS +9996|Journal of the International Society of Sports Nutrition|Agricultural Sciences / Athletes; Exercise; Nutrition; Sports; Dietary Supplements|1550-2783|Monthly| |BIOMED CENTRAL LTD +9997|Journal of the Iowa Academy of Science| |0896-8381|Quarterly| |IOWA ACAD SCIENCE +9998|Journal of the Iowa Pharmacy Association| |1525-7894|Bimonthly| |IOWA PHARMACIST ASSOC +9999|Journal of the Iranian Chemical Society|Chemistry|1735-207X|Quarterly| |IRANIAN CHEMICAL SOC +10000|Journal of the Japan Diabetes Society-Tonyobyo| |0021-437X|Monthly| |JAPAN DIABETES SOC +10001|Journal of the Japan Institute of Metals|Materials Science / Metals|0021-4876|Monthly| |JAPAN INST METALS +10002|Journal of the Japan Petroleum Institute|Geosciences / Petroleum; Petroleum industry and trade|1346-8804|Bimonthly| |JAPAN PETROLEUM INST +10003|Journal of the Japanese and International Economies|Economics & Business / International economic relations|0889-1583|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +10004|Journal of the Japanese Society for Food Science and Technology-Nippon Shokuhin Kagaku Kogaku Kaishi|Agricultural Sciences / Food industry and trade|1341-027X|Monthly| |JAPAN SOC FOOD SCI TECHNOL +10005|Journal of the Japanese Society for Horticultural Science|Plant & Animal Science / Horticulture|1882-3351|Quarterly| |JAPAN SOC HORTICULTURAL SCI +10006|Journal of the Japanese Society of Balneology Climatology and Physical Medicine| |0029-0343|Quarterly| |JAPANESE ASSOC PHYSICAL MEDICINE BALNEOLOGY & CLIMATOLOGY +10007|Journal of the Kansas Entomological Society|Plant & Animal Science / Entomology; Entomologie|0022-8567|Quarterly| |KANSAS ENTOMOLOGICAL SOC +10008|Journal of the Kentucky Academy of Science|Science|1098-7096|Semiannual| |KENTUCKY ACAD SCIENCE +10009|Journal of the Korean Astronomical Society|Space Science|1225-4614|Bimonthly| |KOREAN ASTRONOMICAL SOCIETY +10010|Journal of the Korean Mathematical Society|Mathematics /|0304-9914|Bimonthly| |KOREAN MATHEMATICAL SOC +10011|Journal of the Korean Medical Association|Clinical Medicine /|1975-8456|Monthly| |KOREAN MEDICAL ASSOC +10012|Journal of the Korean Physical Society|Physics /|0374-4884|Monthly| |KOREAN PHYSICAL SOC +10013|Journal of the Korean Society for Applied Biological Chemistry| |1738-2203|Bimonthly| |KOREAN SOC APPLIED BIOLOGICAL CHEMISTRY +10014|Journal of the Korean Statistical Society|Mathematics /|1226-3192|Quarterly| |KOREAN STATISTICAL SOC +10015|Journal of the Korean Surgical Society|Clinical Medicine /|1226-0053|Monthly| |KOREAN SURGICAL SOCIETY +10016|Journal of the Lancashire & Cheshire Entomological Society| |2042-2415|Annual| |LANCASHIRE CHESHIRE ENTOMOLOGICAL SOC +10017|Journal of the Learning Sciences|Social Sciences, general / Education; Learning|1050-8406|Quarterly| |ROUTLEDGE JOURNALS +10018|Journal of the Lepidopterists Society|Plant & Animal Science|0024-0966|Quarterly| |LEPIDOPTERISTS SOC +10019|Journal of the London Mathematical Society-Second Series|Mathematics / Mathematics; Wiskunde; Mathématiques|0024-6107|Bimonthly| |OXFORD UNIV PRESS +10020|Journal of the Marine Biological Association of India| |0025-3146|Semiannual| |MARINE BIOLOGICAL ASSOC INDIA +10021|Journal of the Marine Biological Association of the United Kingdom|Plant & Animal Science / Biology; Marine biology; Marine Biology; Mariene biologie; Biologie; Biologie marine; Faune marine / Biology; Marine biology; Marine Biology; Mariene biologie; Biologie; Biologie marine; Faune marine|0025-3154|Bimonthly| |CAMBRIDGE UNIV PRESS +10022|Journal of the Massachusetts Association of Boards of Health| | | | |AMER PUBLIC HEALTH ASSOC INC +10023|Journal of the Massachusetts Association of Boards of Health and American Journal of Public Hygiene| | | | |AMER PUBLIC HEALTH ASSOC INC +10024|Journal of the Mathematical Society of Japan|Mathematics / Mathematics; Wiskunde; Mathématiques|0025-5645|Quarterly| |MATH SOC JAPAN +10025|Journal of the Mechanical Behavior of Biomedical Materials|Materials Science / Biocompatible Materials; Materials Testing|1751-6161|Quarterly| |ELSEVIER SCIENCE BV +10026|Journal of the Mechanics and Physics of Solids|Engineering / Mechanics, Applied; Solids; Mécanique appliquée; Solides|0022-5096|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +10027|Journal of the Medical Association of Thailand| |0125-2208|Monthly| |MEDICAL ASSOC THAILAND +10028|Journal of the Medical Library Association|Social Sciences, general / Medical libraries; Medicine; Médecine; Médecine, Sociétés de; Libraries, Medical; Information Services; Library Science|1536-5050|Quarterly| |MEDICAL LIBRARY ASSOC +10029|Journal of the Medical Research Institute| |1110-0133|Annual| |MEDICAL RESEARCH INST +10030|Journal of the Meteorological Society of Japan|Geosciences / Meteorology|0026-1165|Bimonthly| |METEOROLOGICAL SOC JPN +10031|Journal of the Mexican Chemical Society|Chemistry|1870-249X|Quarterly| |SOC QUIMICA MEXICO +10032|Journal of the Midwest Modern Language Association|Philology|0742-5562|Semiannual| |MIDWEST MODERN LANGUAGE ASSOC +10033|Journal of the Minnesota Academy of Science| |0026-539X|Annual| |MINNESOTA ACAD SCIENCES +10034|Journal of the Mississippi Academy of Sciences| |0076-9436|Quarterly| |MISSISSIPPI ACAD SCIENCES +10035|Journal of the Musical Arts in Africa| |1812-1004|Annual| |NISC PTY LTD +10036|Journal of the National Cancer Institute|Clinical Medicine / Cancer; Neoplasms / Cancer; Neoplasms|0027-8874|Semimonthly| |OXFORD UNIV PRESS INC +10037|Journal of the National Cancer Institute Monographs|Cancer; Neoplasms|1052-6773|Irregular| |U S NATL INST HEALTH +10038|Journal of the National Comprehensive Cancer Network|Clinical Medicine|1540-1405|Monthly| |HARBORSIDE PRESS +10039|Journal of the National Institute of Industrial Psychology| | | | |NATL INSTITUTE INDUSTRIAL PSYCHOLOGY +10040|Journal of the National Medical Association|Clinical Medicine|0027-9684|Monthly| |NATL MED ASSOC +10041|Journal of the National Museum Prague Natural History Series| |1802-6842|Irregular| |NARODNI MUZEUM +10042|Journal of the National Science Foundation of Sri Lanka|Multidisciplinary /|1391-4588|Quarterly| |NATL SCIENCE FOUNDATION SRI LANKA +10043|Journal of the National Taiwan Museum| |1609-2465|Semiannual| |NATIONAL TAIWAN MUSEUM +10044|Journal of the Natural History Museum and Institute-Chiba| |0915-9452|Irregular| |NATURAL HISTORY MUSEUM & INST +10045|Journal of the Neurological Sciences|Neuroscience & Behavior / Neurology; Neurologie|0022-510X|Monthly| |ELSEVIER SCIENCE BV +10046|Journal of the North American Benthological Society|Plant & Animal Science / Freshwater invertebrates; Benthos; Animal communities; Aquatische ecologie; Hydrobiologie; Invertébrés d'eau douce; Communautés animales|0887-3593|Quarterly| |NORTH AMER BENTHOLOGICAL SOC +10047|Journal of the North Atlantic| |1935-1933|Annual| |HUMBOLDT FIELD RESEARCH INST +10048|Journal of the North Carolina Academy of Science| |0013-6220|Quarterly| |NORTH CAROLINA ACAD SCIENCE +10049|Journal of the Ocean Science Foundation| |1937-7835|Irregular| |OCEAN SCIENCE FOUNDATION INC +10050|Journal of the Operational Research Society|Engineering / Operations research|0160-5682|Monthly| |PALGRAVE MACMILLAN LTD +10051|Journal of the Operations Research Society of Japan|Engineering / Operations research; Recherche opérationnelle|0453-4514|Quarterly| |ELSEVIER SCI LTD +10052|Journal of the Optical Society of America|Optics; Optical instruments; Equipment and Supplies; Natuurkunde; Optica|0030-3941|Monthly| |AMER INST PHYSICS +10053|Journal of the Optical Society of America A-Optics Image Science and Vision|Physics / Optics; Imaging systems; Vision; Image Enhancement; Optica; Optique; Images optiques|1084-7529|Monthly| |OPTICAL SOC AMER +10054|Journal of the Optical Society of America and Review of Scientific Instruments| |0093-4119|Monthly| |OPTICAL SOC AMER +10055|Journal of the Optical Society of America B-Optical Physics|Physics / Physical optics; Laser spectroscopy; Quantum optics; Atomic spectroscopy; Solids; Optics; Optica; Optique physique|0740-3224|Monthly| |OPTICAL SOC AMER +10056|Journal of the Optical Society of Korea|Physics / Optics; Imaging systems; Vision|1226-4776|Quarterly| |OPTICAL SOC KOREA +10057|Journal of the Osaka City Medical Center| |0386-4103|Quarterly| |OSAKA CITY MEDICAL CTR +10058|Journal of the Pakistan Medical Association|Clinical Medicine|0030-9982|Monthly| |PAKISTAN MEDICAL ASSOC +10059|Journal of the Palaeontological Society of India| |0552-9360|Annual| |PALAEONTOLOGICAL SOC INDIA +10060|Journal of the Paleontological Society of Korea| |1225-0929| | |PALEONTOLOGICAL SOC KOREA +10061|Journal of the Patent Office Society| |0096-3577|Monthly| |PATENT AND TRADEMARK OFF SOC +10062|Journal of the Pennsylvania Academy of Science| |1044-6753|Irregular| |PENNSYLVANIA ACAD SCIENCE-PAS +10063|Journal of the Peripheral Nervous System|Neuroscience & Behavior / Peripheral Nervous System; Peripheral Nervous System Diseases|1085-9489|Quarterly| |WILEY-BLACKWELL PUBLISHING +10064|Journal of the Pharmacy Society of Wisconsin| |1098-1853|Bimonthly| |PHARMACY SOC WISCONSIN +10065|Journal of the Philosophy of Sport|Clinical Medicine|0094-8705|Semiannual| |HUMAN KINETICS PUBL INC +10066|Journal of the Physical Society of Japan|Physics / Physics; Natuurkunde|0031-9015|Monthly| |PHYSICAL SOC JAPAN +10067|Journal of the Polynesian Society|Social Sciences, general|0032-4000|Quarterly| |POLYNESIAN SOC INC +10068|Journal of the Professional Association for Cactus Development|Agricultural Sciences|1938-663X|Annual| |PROFESSIONAL ASSOC CACTUS DEVELOPMENT +10069|Journal of the Renin-Angiotensin-Aldosterone System|Clinical Medicine / Renin-Angiotensin System|1470-3203|Quarterly| |SAGE PUBLICATIONS LTD +10070|Journal of the Royal Anthropological Institute|Social Sciences, general / Anthropology; Ethnology; Culturele antropologie; Fysische antropologie / Anthropology; Ethnology; Culturele antropologie; Fysische antropologie|1359-0987|Quarterly| |WILEY-BLACKWELL PUBLISHING +10071|Journal of the Royal Anthropological Institute of Great Britain and Ireland|Anthropology; Culturele antropologie; Fysische antropologie; Anthropologie|0307-3114|Semiannual| |ROYAL ANTHROPOLOGICAL INST +10072|Journal of the Royal Asiatic Society| |1356-1863|Tri-annual| |CAMBRIDGE UNIV PRESS +10073|Journal of the Royal Musical Association|Music|0269-0403|Semiannual| |ROUTLEDGE JOURNALS +10074|Journal of The Royal Society Interface|Multidisciplinary / Science; Life sciences; Physical sciences|1742-5689|Monthly| |ROYAL SOC +10075|Journal of the Royal Society of Medicine|Clinical Medicine / Medicine; Geneeskunde|0141-0768|Monthly| |ROYAL SOC MEDICINE PRESS LTD +10076|Journal of the Royal Society of New Zealand|Environment/Ecology /|0303-6758|Quarterly| |TAYLOR & FRANCIS LTD +10077|Journal of the Royal Society of Western Australia| |0035-922X|Quarterly| |ROYAL SOC WESTERN AUSTRALIA +10078|Journal Of The Royal Statistical Society|Statistics|0952-8385|Irregular| |ROYAL STATISTICAL SOC +10079|Journal of the Royal Statistical Society Series A-Statistics in Society|Economics & Business / Social sciences; Statistics; Statistiek|0964-1998|Tri-annual| |WILEY-BLACKWELL PUBLISHING +10080|Journal of the Royal Statistical Society Series B-Statistical Methodology|Mathematics / Statistics|1369-7412|Quarterly| |WILEY-BLACKWELL PUBLISHING +10081|Journal of the Royal Statistical Society Series C-Applied Statistics|Mathematics / Statistics; Statistiek / Statistics; Statistiek / Statistics; Statistiek / Statistics; Statistiek|0035-9254|Quarterly| |WILEY-BLACKWELL PUBLISHING +10082|Journal of the Ruislip and District Natural History Society| |0143-4683|Semiannual| |RUISLIP DISTRICT NATURAL HISTORY SOC +10083|Journal of the School of Marine Science and Technology Tokai University| |0375-3271|Semiannual| |TOKAI UNIV +10084|Journal of the Science of Food and Agriculture|Agricultural Sciences / Food; Agriculture|0022-5142|Monthly| |JOHN WILEY & SONS LTD +10085|Journal of the Serbian Chemical Society|Chemistry / Chemistry|0352-5139|Monthly| |SERBIAN CHEMICAL SOC +10086|Journal of the Smpte-Society of Motion Picture and Television Engineers| |0898-042X|Monthly| |SOC MOTION PICTURE TV ENG INC +10087|Journal of the Society for American Music|Music|1752-1963|Quarterly| |CAMBRIDGE UNIV PRESS +10088|Journal of the Society for Information Display|Engineering / Information display systems / Information display systems|1071-0922|Monthly| |SOC INFORMATION DISPLAY +10089|Journal of the Society of Architectural Historians|Architecture|0037-9808|Quarterly| |SOC ARCHITECTURAL HISTORIANS +10090|Journal of the Society of Archivists|Archives|0037-9816|Semiannual| |ROUTLEDGE JOURNALS +10091|Journal of the Society of Christian Ethics| |1540-7942|Semiannual| |SOC CHRISTIAN ETHICS +10092|Journal of the Society of Leather Technologists and Chemists|Materials Science|0144-0322|Bimonthly| |SOC LEATHER TECHNOL CHEMISTS +10093|Journal of the Society of Motion Picture & Television Engineers| | |Monthly| |SOC MOTION PICTURE TV ENG INC +10094|Journal of the Society of Motion Picture Engineers| |0097-5834|Monthly| |SOC MOTION PICTURE TV ENG INC +10095|Journal of the South African Institute of Mining and Metallurgy|Geosciences|0038-223X|Bimonthly| |SOUTH AFRICAN INST MINING METALLURGY +10096|Journal of the South African Institution of Civil Engineering|Engineering|1021-2019|Semiannual| |SAICE-SAISI +10097|Journal of the South African Veterinary Association-Tydskrif van die Suid-Afrikaanse Veterinere Vereniging|Plant & Animal Science|0038-2809|Quarterly| |SOUTH AFRICAN VET ASSOC +10098|Journal of the Southwest| |0894-8410|Quarterly| |University of Arizona +10099|Journal of the Speleological Society of Japan| |0386-233X|Annual| |SPELEOLOGICAL SOC JAPAN +10100|Journal of the Taiwan Institute of Chemical Engineers|Chemistry /|1876-1070|Bimonthly| |ELSEVIER SCIENCE BV +10101|Journal of the Taiwan Society for Horticultural Science| |1819-8317|Quarterly| |CHINESE SOC HORTICULTURAL SCIENCE +10102|Journal of the Tennessee Academy of Science| |0040-313X|Quarterly| |TENNESSEE ACAD SCIENCE +10103|Journal of the Textile Institute|Materials Science / Textile industry; Textile fabrics|0040-5000|Bimonthly| |TAYLOR & FRANCIS LTD +10104|Journal of the Tokyo University of Marine Science and Technology| |1880-0912|Annual| |TOKYO UNIV MARINE SCIENCE & TECHNOLOGY +10105|Journal of the Torrey Botanical Society|Plant & Animal Science / Botany; Plantkunde; Botanique / Botany; Plantkunde; Botanique|1095-5674|Quarterly| |TORREY BOTANICAL SOC +10106|Journal of the Warburg and Courtauld Institutes|Civilization; Religions; Art|0075-4390|Annual| |WARBURG INST +10107|Journal of the West| |0022-5169|Quarterly| |ABC-CLIO +10108|Journal of the World Aquaculture Society|Plant & Animal Science / Aquaculture|0893-8849|Quarterly| |WILEY-BLACKWELL PUBLISHING +10109|Journal of the Yamagata Agriculture and Forestry Society| |0372-7785|Annual| |YAMAGATA AGRICULTURE & FORESTRY SOC +10110|Journal of the Yamashina Institute for Ornithology|Birds; Zoology|1348-5032|Semiannual| |YAMASHINA INST ORNITHOLOGY +10111|Journal of the Zoological Society Wallacea| | |Irregular| |ZOOLOGICAL SOC WALLACEA +10112|Journal of Theological Studies|Theology; Theologie; Théologie|0022-5185|Semiannual| |OXFORD UNIV PRESS +10113|Journal of Theoretical & Computational Chemistry|Computer Science / Chemistry, Physical and theoretical|0219-6336|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +10114|Journal of Theoretical and Applied Mechanics|Engineering|1429-2955|Quarterly| |POLISH SOC THEORETICAL & APPLIED MECHANICS +10115|Journal of Theoretical Biology|Molecular Biology & Genetics / Biology; Theoretische biologie; Biologie|0022-5193|Semimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +10116|Journal of Theoretical Politics|Social Sciences, general / Political science; Politieke wetenschappen; Science politique|0951-6298|Quarterly| |SAGE PUBLICATIONS LTD +10117|Journal of Theoretical Probability|Mathematics / Probabilities; Stochastic processes; Waarschijnlijkheidstheorie; Probabilités; Processus stochastiques|0894-9840|Quarterly| |SPRINGER/PLENUM PUBLISHERS +10118|Journal of Thermal Analysis and Calorimetry|Chemistry /|1388-6150|Monthly| |SPRINGER +10119|Journal of Thermal Biology|Plant & Animal Science / Thermobiology; Body Temperature|0306-4565|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +10120|Journal of Thermal Science|Engineering /|1003-2169|Quarterly| |SCIENCE CHINA PRESS +10121|Journal of Thermal Science and Technology|Engineering /|1880-5566| | |JAPAN SOC MECHANICAL ENGINEERS +10122|Journal of Thermal Spray Technology|Materials Science / Metal spraying; Plasma spraying|1059-9630|Quarterly| |SPRINGER +10123|Journal of Thermal Stresses|Engineering / Thermal stresses|0149-5739|Monthly| |TAYLOR & FRANCIS INC +10124|Journal of Thermophysics and Heat Transfer|Engineering / Space vehicles; Heat; Heat engineering|0887-8722|Quarterly| |AMER INST AERONAUT ASTRONAUT +10125|Journal of Thermoplastic Composite Materials|Materials Science / Thermoplastic composites; Composite materials|0892-7057|Bimonthly| |SAGE PUBLICATIONS LTD +10126|Journal of Thoracic and Cardiovascular Surgery|Clinical Medicine / Chest; Cardiovascular system; Cardiac Surgical Procedures; Cardiovascular Diseases; Thoracic Surgery / Chest; Cardiovascular system; Cardiac Surgical Procedures; Cardiovascular Diseases; Thoracic Surgery|0022-5223|Monthly| |MOSBY-ELSEVIER +10127|Journal of Thoracic Imaging|Clinical Medicine / Chest; Radiography, Thoracic; Thorax; Tomography; Ultrasonography|0883-5993|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +10128|Journal of Thoracic Oncology|Clinical Medicine / Thoracic Neoplasms|1556-0864|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +10129|Journal of Threatened Taxa| |0974-7893|Monthly| |ZOO OUTREACH ORGANISATION +10130|Journal of Thrombosis and Haemostasis|Clinical Medicine / Thrombosis; Hemostasis; Blood|1538-7933|Monthly| |WILEY-BLACKWELL PUBLISHING +10131|Journal of Thrombosis and Thrombolysis|Clinical Medicine / Thrombosis; Thrombolytic therapy; Fibrinolysis; Trombose; Trombolyse|0929-5305|Bimonthly| |SPRINGER +10132|Journal of Time Series Analysis|Mathematics / Time-series analysis|0143-9782|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10133|Journal of Tissue Engineering and Regenerative Medicine|Molecular Biology & Genetics / Tissue engineering; Regeneration (Biology); Tissue Engineering; Regenerative Medicine|1932-6254|Bimonthly| |JOHN WILEY & SONS LTD +10134|Journal of Topology|Mathematics / Topology|1753-8416|Quarterly| |OXFORD UNIV PRESS +10135|Journal of Toxicologic Pathology|Toxicology; Pathology|0914-9198|Quarterly| |JAPANESE SOC TOXICOLOGIC PATHOLOGY +10136|Journal of Toxicological Sciences|Pharmacology & Toxicology / Toxicology|0388-1350|Quarterly| |JAPANESE SOC TOXICOLOGICAL SCIENCES +10137|Journal of Toxicology and Environmental Health-Part A-Current Issues|Clinical Medicine / Toxicology; Environmental health; Environmental Pollutants; Environmental Exposure; Environmental Pollution; Noxae|1528-7394|Semimonthly| |TAYLOR & FRANCIS INC +10138|Journal of Toxicology and Environmental Health-Part B-Critical Reviews|Clinical Medicine / Environmental Exposure; Environmental Pollutants; Environmental Pollution / Environmental Exposure; Environmental Pollutants; Environmental Pollution|1093-7404|Bimonthly| |TAYLOR & FRANCIS INC +10139|Journal of Trace Elements in Medicine and Biology|Biology & Biochemistry / Trace Elements; Spoorelementen|0946-672X|Quarterly| |ELSEVIER GMBH +10140|Journal of Traditional Chinese Medicine|Pharmacology & Toxicology / Medicine, Chinese; Medicine, Chinese Traditional|0255-2922|Quarterly| |JOURNAL TRADITIONAL CHINESE MED +10141|Journal of Transcultural Nursing|Social Sciences, general / Transcultural nursing; Nursing; Cross-Cultural Comparison; Ethnic Groups; Soins infirmiers|1043-6596|Quarterly| |SAGE PUBLICATIONS INC +10142|Journal of Translational Medicine|Clinical Medicine / Medicine, Experimental; Human experimentation in medicine; Biomedical Research; Clinical Medicine|1479-5876|Irregular| |BIOMED CENTRAL LTD +10143|Journal of Transport Economics and Policy|Economics & Business|0022-5258|Tri-annual| |UNIV BATH +10144|Journal of Transport Geography|Social Sciences, general / Transportation; Telecommunication|0966-6923|Bimonthly| |ELSEVIER SCI LTD +10145|Journal of Transportation Engineering-Asce|Engineering / Transportation engineering|0733-947X|Monthly| |ASCE-AMER SOC CIVIL ENGINEERS +10146|Journal of Trauma & Dissociation|Psychiatry/Psychology / Multiple personality; Dissociative disorders; Psychic trauma; Post-traumatic stress disorder; Dissociative Disorders; Stress Disorders, Post-Traumatic|1529-9732|Quarterly| |ROUTLEDGE JOURNALS +10147|Journal of Trauma-Injury Infection and Critical Care|Clinical Medicine|0022-5282|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +10148|Journal of Traumatic Stress|Psychiatry/Psychology / Post-traumatic stress disorder; Stress Disorders, Post-Traumatic|0894-9867|Bimonthly| |JOHN WILEY & SONS INC +10149|Journal of Travel Medicine|Clinical Medicine / Travel; Communicable diseases; Medicine, Preventive; Communicable Disease Control; Preventive Medicine; Geneeskunde; Reizen|1195-1982|Quarterly| |WILEY-BLACKWELL PUBLISHING +10150|Journal of Travel Research|Social Sciences, general / Travel|0047-2875|Quarterly| |SAGE PUBLICATIONS INC +10151|Journal of Tribology-Transactions of the Asme|Engineering / Tribology|0742-4787|Quarterly| |ASME-AMER SOC MECHANICAL ENG +10152|Journal of Tropical Agriculture| |0971-636X|Semiannual| |KERALA AGRICULTURAL UNIV +10153|Journal of Tropical Agriculture and Food Science| |1394-9829|Semiannual| |MALAYSIAN AGRICULTURAL RESEARCH & DEVELOPMENT INST-MARDI +10154|Journal of Tropical and Subtropical Botany| |1005-3395|Quarterly| |SCIENCE PRESS +10155|Journal of Tropical Biology and Conservation| |1823-3902|Irregular| |INST TROPICAL BIOL & CONSERVATION +10156|Journal of Tropical Ecology|Environment/Ecology / Ecology|0266-4674|Bimonthly| |CAMBRIDGE UNIV PRESS +10157|Journal of Tropical Forest Science|Plant & Animal Science|0128-1283|Quarterly| |FOREST RESEARCH INST MALAYSIA +10158|Journal of Tropical Meteorology|Geosciences|1006-8775|Quarterly| |JOURNAL OF TROPICAL METEOROLOGICAL PRESS +10159|Journal of Tropical Oceanography| |1009-5470|Bimonthly| |SCIENCE PRESS +10160|Journal of Tropical Pediatrics|Clinical Medicine / Pediatrics; Tropical medicine; Children; Environmental Health; Tropical Medicine; Child; Infant|0142-6338|Bimonthly| |OXFORD UNIV PRESS +10161|Journal of Turbomachinery-Transactions of the Asme|Engineering / Turbomachines|0889-504X|Quarterly| |ASME-AMER SOC MECHANICAL ENG +10162|Journal of Turbulence|Physics /|1468-5248|Monthly| |TAYLOR & FRANCIS LTD +10163|Journal of Ultrasound in Medicine|Clinical Medicine|0278-4297|Monthly| |AMER INST ULTRASOUND MEDICINE +10164|Journal of Union of Arab Biologists Cairo A Zoology| |1110-5372|Semiannual| |UNION ARAB BIOLOGISTS +10165|Journal of Universal Computer Science|Computer Science|0948-695X|Monthly| |GRAZ UNIV TECHNOLGOY +10166|Journal of Uoeh| |0387-821X|Quarterly| |UNIV OCCUPATIONAL & ENVIRONMENTAL HEALTH +10167|Journal of Urban Affairs|Social Sciences, general / Cities and towns; City planning; Urban policy; Villes; Urbanisme; Politique urbaine; Agglomération urbaine; Changement social; Milieu urbain; Recherche; Société; Ville|0735-2166|Quarterly| |WILEY-BLACKWELL PUBLISHING +10168|Journal of Urban Economics|Economics & Business / Urban economics|0094-1190|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +10169|Journal of Urban Health-Bulletin of the New York Academy of Medicine|Clinical Medicine / Medicine; Urban health; Urban Health; Santé urbaine / Medicine; Urban health; Urban Health; Santé urbaine|1099-3460|Quarterly| |SPRINGER +10170|Journal of Urban History|Social Sciences, general / Cities and towns|0096-1442|Bimonthly| |SAGE PUBLICATIONS INC +10171|Journal of Urban Planning and Development-Asce|Engineering / City planning; Civil engineering; Génie civil; Urbanisme|0733-9488|Quarterly| |ASCE-AMER SOC CIVIL ENGINEERS +10172|Journal of Urban Technology|Social Sciences, general / Cities and towns|1063-0732|Tri-annual| |ROUTLEDGE JOURNALS +10173|Journal of Urology|Clinical Medicine / Genitourinary organs; Urology; Urologie|0022-5347|Monthly| |ELSEVIER SCIENCE INC +10174|Journal of Vacuum Science & Technology A|Materials Science / Vacuum technology; Vide (Technologie); Chimie des surfaces; Couches minces; Surfaces (Physique); Vacuümtechniek|0734-2101|Bimonthly| |A V S AMER INST PHYSICS +10175|Journal of Vacuum Science & Technology B|Materials Science|1071-1023|Bimonthly| |A V S AMER INST PHYSICS +10176|Journal of Value Inquiry|Social Sciences, general / Values; Ethics; Waarden; Valeurs (Philosophie); Philosophie|0022-5363|Quarterly| |SPRINGER +10177|Journal of Vascular Access|Clinical Medicine|1129-7298|Quarterly| |WICHTIG EDITORE +10178|Journal of Vascular and Interventional Radiology|Clinical Medicine / Interventional radiology; Radiography; Cardiovascular disease diagnostic equipment industry; Cardiovascular system; Radiography, Interventional; Radiology, Interventional; Vascular Diseases|1051-0443|Monthly| |ELSEVIER SCIENCE INC +10179|Journal of Vascular Research|Clinical Medicine / Blood-vessels; Cardiovascular system; Lymphatics; Blood Vessels; Cardiovascular System; Lymphatic System; Bloedvaten|1018-1172|Bimonthly| |KARGER +10180|Journal of Vascular Surgery|Clinical Medicine / Blood-vessels; Vascular Surgical Procedures; Vaatchirurgie|0741-5214|Monthly| |MOSBY-ELSEVIER +10181|Journal of Vector Borne Diseases|Microbiology|0972-9062|Quarterly| |MALARIA RESEARCH CENTRE +10182|Journal of Vector Ecology|Environment/Ecology / Animals as carriers of disease; Animal ecology; Arthropod Vectors; Host-Parasite Relations|1081-1710|Semiannual| |SOC VECTOR ECOLOGY +10183|Journal of Vegetation Science|Plant & Animal Science / Plant ecology; Plant communities; Plant populations; Écologie végétale; Associations végétales; Plantes; Vegetatiekunde|1100-9233|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10184|Journal of Venomous Animals and Toxins including Tropical Diseases|Plant & Animal Science / Poisonous animals; Venom; Tropical medicine; Venoms; Toxins; Animals, Poisonous; Tropical Medicine|1678-9199|Quarterly| |CEVAP-UNESP +10185|Journal of Vertebrate Paleontology|Geosciences / Vertebrates, Fossil; Paleontology; Paleozoölogie; Gewervelde dieren|0272-4634|Quarterly| |SOC VERTEBRATE PALEONTOLOGY +10186|Journal of Vestibular Research-Equilibrium & Orientation|Neuroscience & Behavior / Vestibular apparatus; Musculoskeletal Equilibrium; Orientation; Vestibular Diseases; Vestibule|0957-4271|Bimonthly| |IOS PRESS +10187|Journal of Veterinary Anatomy| |1687-9988|Semiannual| |AFRICAN ASSOC VET ANATOMISTS +10188|Journal of Veterinary Behavior-Clinical Applications and Research|Plant & Animal Science / Veterinary Medicine; Behavior, Animal; Behavioral Research|1558-7878|Bimonthly| |ELSEVIER SCIENCE INC +10189|Journal of Veterinary Dentistry|Plant & Animal Science|0898-7564|Quarterly| |NICHEPUBS +10190|Journal of Veterinary Diagnostic Investigation|Plant & Animal Science|1040-6387|Bimonthly| |AMER ASSOC VETERINARY LABORATORY DIAGNOSTICIANS INC +10191|Journal of Veterinary Emergency and Critical Care|Plant & Animal Science /|1479-3261|Quarterly| |WILEY-BLACKWELL PUBLISHING +10192|Journal of Veterinary Internal Medicine|Plant & Animal Science / Veterinary medicine; Veterinary Medicine; Médecine vétérinaire; Interne geneeskunde; Diergeneeskunde|0891-6640|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10193|Journal of Veterinary Medical Education|Plant & Animal Science / Veterinary medicine; Education, Veterinary|0748-321X|Tri-annual| |UNIV TORONTO PRESS INC +10194|Journal of Veterinary Medical Science|Plant & Animal Science / Animal Diseases; Veterinary Medicine|0916-7250|Monthly| |JAPAN SOC VET SCI +10195|Journal of Veterinary Pharmacology and Therapeutics|Plant & Animal Science / Veterinary pharmacology; Therapeutics; Drug Therapy; Pharmacology; Veterinary Medicine|0140-7783|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10196|Journal of Veterinary Science|Plant & Animal Science /|1229-845X|Quarterly| |KOREAN SOC VETERINARY SCIENCE +10197|Journal of Vibration and Acoustics-Transactions of the Asme|Engineering|1048-9002|Quarterly| |ASME-AMER SOC MECHANICAL ENG +10198|Journal of Vibration and Control|Engineering / Vibration; Automatic control; Damping (Mechanics)|1077-5463|Monthly| |SAGE PUBLICATIONS LTD +10199|Journal of Vibroengineering|Engineering|1392-8716|Quarterly| |JOURNAL VIBROENGINEERING +10200|Journal of Vinyl & Additive Technology|Chemistry / Vinyl polymers; Plastics|1083-5601|Quarterly| |JOHN WILEY & SONS INC +10201|Journal of Viral Hepatitis|Clinical Medicine / Hepatitis, Viral; Hepatitis, Viral, Animal; Hepatitis, Viral, Human|1352-0504|Monthly| |WILEY-BLACKWELL PUBLISHING +10202|Journal of Virological Methods|Microbiology / Virology|0166-0934|Monthly| |ELSEVIER SCIENCE BV +10203|Journal of Virology|Microbiology / Virology; Viruses; Virus Diseases; Virologie|0022-538X|Semimonthly| |AMER SOC MICROBIOLOGY +10204|Journal of Vision|Clinical Medicine /|1534-7362|Irregular| |ASSOC RESEARCH VISION OPHTHALMOLOGY INC +10205|Journal of Visual Communication and Image Representation|Computer Science / Visual communication; Image processing; Communication; Computer Graphics; Image Enhancement; Image Processing, Computer-Assisted; Communication visuelle; Traitement d'images|1047-3203|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +10206|Journal of Visual Culture|Arts|1470-4129|Tri-annual| |SAGE PUBLICATIONS LTD +10207|Journal of Visual Impairment & Blindness|Social Sciences, general|0145-482X|Monthly| |AMER FOUNDATION BLIND +10208|Journal of Visual Languages and Computing|Computer Science / Visual programming languages (Computer science); Visual programming (Computer science); Programming languages (Electronic computers)|1045-926X|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +10209|Journal of Visualization|Engineering /|1343-8875|Quarterly| |SPRINGER +10210|Journal of Visualized Experiments| |1940-087X|Irregular| |JOURNAL OF VISUALIZED EXPERIMENTS +10211|Journal of Vocational Behavior|Psychiatry/Psychology / Vocational guidance; Occupations|0001-8791|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +10212|Journal of Voice|Clinical Medicine / Voice|0892-1997|Quarterly| |MOSBY-ELSEVIER +10213|Journal of Volcanology and Geothermal Research|Geosciences / Volcanoes; Volcanism; Geothermal resources|0377-0273|Biweekly| |ELSEVIER SCIENCE BV +10214|Journal of Volcanology and Seismology|Geosciences / Volcanoes; Seismology|0742-0463|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +10215|Journal of Water and Health|Environment/Ecology / Water quality management; Water; Environmental health; Water quality; Water Pollution; Public Health; Water Microbiology; Water Supply; Quality Control; Gezondheid|1477-8920|Quarterly| |I W A PUBLISHING +10216|Journal of Water Chemistry and Technology|Water chemistry; Water; Sewage|1063-455X|Bimonthly| |ALLERTON PRESS INC +10217|Journal of Water Resources Planning and Management-Asce|Environment/Ecology / Water resources development; WATER RESOURCES; WATER QUALITY MANAGEMENT|0733-9496|Bimonthly| |ASCE-AMER SOC CIVIL ENGINEERS +10218|Journal of Water Supply Research and Technology-Aqua|Environment/Ecology / Water-supply|0003-7214|Bimonthly| |I W A PUBLISHING +10219|Journal of Waterway Port Coastal and Ocean Engineering-Asce|Engineering / Hydraulic engineering; Harbors; Waterways; Shore protection; Ocean engineering; Technologie hydraulique; Ports; Voies navigables; Rivage; Océanographie appliquée; INLAND WATERS; PORTS; COASTS; OCEAN ENGINEERING|0733-950X|Bimonthly| |ASCE-AMER SOC CIVIL ENGINEERS +10220|Journal of Web Engineering|Computer Science|1540-9589|Quarterly| |RINTON PRESS +10221|Journal of Web Semantics|Computer Science /|1570-8268|Quarterly| |ELSEVIER SCIENCE BV +10222|Journal of Weed Science and Technology|Weeds|0372-798X|Quarterly| |WEED SCIENCE SOC JAPAN +10223|Journal of Wetlands Ecology| |2091-0363|Semiannual| |WETLAND FRIENDS NEPAL-WFN +10224|Journal of Wildlife Diseases|Plant & Animal Science|0090-3558|Quarterly| |WILDLIFE DISEASE ASSOC +10225|Journal of Wildlife in Thailand| |0858-396X|Semiannual| |KASETSART UNIV +10226|Journal of Wildlife Management|Plant & Animal Science / Wildlife management; Zoology; Wilde dieren; Ecologie; Natuurbeheer; Faune / Wildlife management; Zoology; Wilde dieren; Ecologie; Natuurbeheer; Faune|0022-541X|Bimonthly| |WILDLIFE SOC +10227|Journal of Wildlife Rehabilitation|Plant & Animal Science|1071-2232|Tri-annual| |INT WILDLIFE REHABILITATION COUNCIL +10228|Journal of Wind Engineering and Industrial Aerodynamics|Engineering / Wind-pressure; Buildings|0167-6105|Monthly| |ELSEVIER SCIENCE BV +10229|Journal of Wine Research|Viticulture; Wine and wine making|0957-1264|Tri-annual| |ROUTLEDGE JOURNALS +10230|Journal of Women & Aging|Social Sciences, general / Social work with older people; Social work with women; Older women; Aging; Women; Women's Health Services|0895-2841|Quarterly| |HAWORTH PRESS INC +10231|Journal of Women Politics & Policy|Social Sciences, general / Women in politics; Women's rights; Women; Femmes en politique; Femmes|1554-477X|Quarterly| |HAWORTH PRESS INC +10232|Journal of Womens Health|Clinical Medicine / Women; Women's Health; Genital Diseases, Female; Vrouwen; Gezondheid|1540-9996|Monthly| |MARY ANN LIEBERT INC +10233|Journal of Womens History| |1042-7961|Quarterly| |JOHNS HOPKINS UNIV PRESS +10234|Journal of Wood Chemistry and Technology|Materials Science / Wood; Bois|0277-3813|Quarterly| |TAYLOR & FRANCIS INC +10235|Journal of Wood Science|Plant & Animal Science / Wood; Houtindustrie; Bois|1435-0211|Bimonthly| |SPRINGER TOKYO +10236|Journal of World Business|Economics & Business / Business|1090-9516|Quarterly| |ELSEVIER SCIENCE INC +10237|Journal of World History| |1045-6007|Semiannual| |UNIV HAWAII PRESS +10238|Journal of World Prehistory|Prehistoric peoples; Antiquities, Prehistoric; Archaeology; Prehistorie|0892-7537|Quarterly| |SPRINGER/PLENUM PUBLISHERS +10239|Journal of World Trade|Economics & Business / Foreign trade regulation; International trade|1011-6702|Bimonthly| |KLUWER LAW INT +10240|Journal of Wound Ostomy and Continence Nursing|Social Sciences, general / Abdomen; Bedsores; Fecal incontinence; Enterostomy; Urinary incontinence; Decubitus Ulcer; Fecal Incontinence; Ostomy; Urinary Incontinence; Verpleegkunde|1071-5754|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +10241|JOURNAL OF WUHAN BOTANICAL RESEARCH| |1000-470X|Bimonthly| |SCIENCE CHINA PRESS +10242|Journal of Wuhan University of Technology-Materials Science Edition|Materials Science / Materials science|1000-2413|Bimonthly| |JOURNAL WUHAN UNIV TECHNOLOGY +10243|Journal of Wuhan University-Natural Science Edition| |1671-8836|Bimonthly| |CHINA INT BOOK TRADING CORP +10244|Journal of X-Ray Science and Technology|Physics / X-rays; Radiology, Medical; Radiation, Ionizing; Technology, Radiologic; X-Rays|0895-3996|Quarterly| |IOS PRESS +10245|Journal of Xiamen University-Natural Science| |0438-0479|Bimonthly| |XIAMEN UNIV +10246|Journal of Yangzhou University-Natural Science Edition| |1007-824X|Irregular| |YANGZHOU UNIV +10247|Journal of Youth and Adolescence|Psychiatry/Psychology / Youth; Adolescence; Adolescent; Ontwikkeling (psychologie); Jongeren; Adolescenten; Jeunesse|0047-2891|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +10248|Journal of Youth Studies|Social Sciences, general / Youth; Jongeren; Sociaal gedrag|1367-6261|Bimonthly| |ROUTLEDGE JOURNALS +10249|Journal of Yunnan Agricultural University| |1004-390X|Bimonthly| |YUNNAN AGRICULTURAL UNIV +10250|Journal of Zhejiang University-Agriculture & Life Sciences| |1008-9209|Bimonthly| |CHINA INT BOOK TRADING CORP +10251|Journal of Zhejiang University-Science A| |1673-565X|Monthly| |ZHEJIANG UNIV +10252|Journal of Zhejiang University-Science B|Multidisciplinary / Biology; Biological Sciences; Medicine; Research|1673-1581|Monthly| |ZHEJIANG UNIV +10253|Journal of Zhejiang University-Science C-Computers & Electronics| |1869-1951|Monthly| |ZHEJIANG UNIV +10254|Journal of Zoo and Wildlife Medicine|Plant & Animal Science / Zoo animals; Wildlife diseases; Veterinary medicine; Animal Diseases; Animals, Wild; Animals, Zoo; Dierentuinen; Wilde dieren; Dierenziekten|1042-7260|Quarterly| |AMER ASSOC ZOO VETERINARIANS +10255|Journal of Zoological Systematics and Evolutionary Research|Plant & Animal Science / Zoology; Evolution / Zoology; Evolution|0947-5745|Quarterly| |WILEY-BLACKWELL PUBLISHING +10256|Journal of Zoology|Plant & Animal Science / Zoology; Dierkunde; Zoologie|0952-8369|Monthly| |WILEY-BLACKWELL PUBLISHING +10257|Journalism & Mass Communication Quarterly|Social Sciences, general|1077-6990|Quarterly| |ASSOC EDUC JOURNALISM MASS COMMUNICATION +10258|Journalism Bulletin| |0197-2448| | |ASSOC EDUC JOURNALISM MASS COMMUNICATION +10259|Journalism Quarterly| |0196-3031|Quarterly| |ASSOC EDUC JOURNALISM MASS COMMUNICATION +10260|Journalism Studies|Social Sciences, general / Journalism; Journalistiek; Onderzoek|1461-670X|Bimonthly| |ROUTLEDGE JOURNALS +10261|Journals of Gerontology| |0022-1422|Bimonthly| |GERONTOLOGICAL SOC AMER +10262|Journals of Gerontology Series A-Biological Sciences and Medical Sciences|Clinical Medicine /|1079-5006|Monthly| |GERONTOLOGICAL SOC AMER +10263|Journals of Gerontology Series B-Psychological Sciences and Social Sciences|Social Sciences, general /|1079-5014|Bimonthly| |GERONTOLOGICAL SOC AMER +10264|Jpc-Journal of Planar Chromatography-Modern Tlc|Engineering / Thin layer chromatography; Chromatography; Chromatography, Thin Layer|0933-4173|Bimonthly| |RESEARCH INST MEDICINAL PLANTS +10265|Jsls-Journal of the Society of Laparoendoscopic Surgeons|Clinical Medicine /|1086-8089|Quarterly| |SOC LAPAROENDOSCOPIC SURGEONS +10266|Judaica Bohemiae| |0022-5738|Annual| |ZIDOVSKE MUZEUM PRAZE +10267|Judaism| |0022-5762|Quarterly| |AMER JEWISH CONGRESS +10268|Judgment and Decision Making|Social Sciences, general|1930-2975|Bimonthly| |SOC JUDGMENT & DECISION MAKING +10269|Judicature|Social Sciences, general|0022-5800|Bimonthly| |AMER JUDICATURE SOC +10270|Junctures-The Journal for Thematic Dialogue| |1176-5119|Semiannual| |OTAGO POLYTECHNIC-TE KURA MATATINI KI OTAGO +10271|Jung Journal-Culture & Psyche|Psychoanalysis and culture; Jungian psychology|1934-2039|Quarterly| |UNIV CALIFORNIA PRESS +10272|Jurnal Ilmu Dasar| |1411-5735|Semiannual| |UNIV JEMBER +10273|Jurnal Sains Kesihatan Malaysia| |1675-8161|Semiannual| |UNIV KEBANGSAAN MALAYSIA +10274|Justice Quarterly|Social Sciences, general / Criminal justice, Administration of|0741-8825|Quarterly| |ROUTLEDGE JOURNALS +10275|Justice System Journal|Social Sciences, general|0098-261X|Tri-annual| |NAT CENTER STATE COURTS +10276|Justus Liebigs Annalen der Chemie|Chemistry; Pharmacy; Chemie; Chimie; Pharmacie / Chemistry; Pharmacy; Chemie; Chimie; Pharmacie|0075-4617|Monthly| |VCH PUBLISHERS INC +10277|Juvenile and Family Court Journal|Social Sciences, general / Juvenile justice, Administration of; Juvenile courts; Domestic relations courts; Justice pour mineurs; Tribunaux pour enfants et adolescents; Tribunaux de la famille|0161-7109|Quarterly| |NATL COUNCIL JUVENILE FAMILY COURT JUDGES +10278|Kafkas Universitesi Veteriner Fakultesi Dergisi|Plant & Animal Science|1300-6045|Semiannual| |KAFKAS UNIV +10279|KAGAKU KOGAKU RONBUNSHU|Chemistry / Chemical engineering|0386-216X|Bimonthly| |SOC CHEMICAL ENG JAPAN +10280|Kagawa Daigaku Nogakubu Gakujutsu Hokoku| |0368-5128|Semiannual| |KAGAWA UNIV +10281|Kagoshima University Museum Monographs| |1347-2747|Irregular| |KAGOSHIMA UNIV MUSEUM +10282|Kaku Igaku-Japanese Journal of Nuclear Medicine| |0022-7854|Monthly| |JAPANESE SOC NUCLEAR MEDICINE +10283|Kansas Geological Survey Bulletin| |0097-4471|Irregular| |KANSAS GEOLOGICAL SURVEY +10284|Kansas Ornithological Society Bulletin| | |Quarterly| |KANSAS ORNITHOLOGICAL SOC +10285|Kansas School Naturalist| |0022-877X|Quarterly| |EMPORIA STATE UNIV +10286|Kant-Studien|Filosofie|0022-8877|Quarterly| |WALTER DE GRUYTER & CO +10287|Kaohsiung Journal of Medical Sciences|Clinical Medicine|1607-551X|Monthly| |KAOHSIUNG JOURNAL MEDICAL SCIENCES +10288|Kardiochirurgia I Torakochirurgia Polska|Clinical Medicine|1731-5530|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +10289|Kardiologia Polska|Clinical Medicine|0022-9032|Monthly| |TERMEDIA PUBLISHING HOUSE LTD +10290|Kardiologiya|Clinical Medicine|0022-9040|Monthly| |IZDATELSTVO MEDITSINA +10291|Karnataka Journal of Agricultural Sciences| | |Quarterly| |UNIV AGRICULTURAL SCIENCES +10292|Karstenia| |0453-3402|Semiannual| |SOC MYCOLOGICA FENNICA +10293|Kasetsart Journal Natural Sciences| |0075-5192|Quarterly| |KASETSART UNIV +10294|Kasetsart University Fisheries Research Bulletin| |0125-796X|Irregular| |KASETSART UNIV +10295|Kasmera|Clinical Medicine|0075-5222|Semiannual| |UNIV ZULIA +10296|Kastamonu Universitesi Kastamonu Egitim Dergisi| |1300-8811|Semiannual| |GAZI UNIV KASTAMONU EGITIM DERGISI +10297|Kataloge des Oberoesterreichischen Landesmuseums| |1018-6077|Irregular| |DR WILFRIED SEIPEL +10298|Kaupia-Darmstaedter Beitraege zur Naturgeschichte| |0941-8482|Irregular| |HESSISCHES LANDESMUSEUM DARMSTADT +10299|Kavkazskii Entomologicheskii Byulleten| | |Irregular| |CAUCASIAN ENTOMOLOGICAL BULLETIN +10300|Kawakatsu & Sasakis Webpages on Planarians| |1348-3412|Irregular| |DR MASAHARU KAWAKATSU +10301|Kazanskii Meditsinskii Zhurnal| |0368-4814|Bimonthly| |KAZANSKII MEDITSINSKII ZHURNAL +10302|Keats-Shelley Journal| |0453-4387|Annual| |KEATS-SHELLEY ASSOC AMER INC +10303|Keats-Shelley Review| |0952-4142|Annual| |KEATS-SHELLEY MEMORIAL ASSOC +10304|Keck Research Symposium in Geology| |1556-9004|Annual| |DEPARTMENT GEOLOGY +10305|Kedi Journal of Educational Policy|Social Sciences, general|1739-4341|Semiannual| |KOREAN EDUCATIONAL DEVELOPMENTAL INST +10306|Keeposted| | |Monthly| |ILLINOIS COUNCIL HEALTH-SYSTEM PHARMACISTS-ICHP +10307|Keio Journal of Medicine|Medicine|0022-9717|Monthly| |HOKKAIDO MEDICAL SOC-HOKKAIDO IGAKKAI +10308|Kempffiana| |1991-4644|Semiannual| |MUSEO HISTORIA NATURAL NOEL KEMPFF MERCADO +10309|Kennedy Institute of Ethics Journal|Social Sciences, general /|1054-6863|Quarterly| |JOHNS HOPKINS UNIV PRESS +10310|Kenya Birds| |1023-3679|Irregular| |NATL MUSEUMS KENYA +10311|Kenya past and Present| |0257-8301|Annual| |KENYA MUSEUM SOC +10312|Kenyon Review| |0163-075X|Quarterly| |KENYON COLLEGE +10313|Kerntechnik|Engineering|0932-3902|Quarterly| |CARL HANSER VERLAG +10314|Kew Bulletin|Botany|0075-5974|Irregular| |SPRINGER +10315|Kgk-Kautschuk Gummi Kunststoffe| |0948-3276|Monthly| |DR ALFRED HUTHIG VERLAG GMBH +10316|Kidney & Blood Pressure Research|Clinical Medicine / Kidneys; Blood pressure; Blood Pressure; Hypertension, Renal; Kidney; Kidney Diseases / Kidneys; Blood pressure; Blood Pressure; Hypertension, Renal; Kidney; Kidney Diseases|1420-4096|Bimonthly| |KARGER +10317|Kidney International|Clinical Medicine / Nephrology; Kidney; Kidney Diseases|0085-2538|Monthly| |NATURE PUBLISHING GROUP +10318|Killi-Contact| | |Bimonthly| |ASSOC KILLIPHILE FRANCOPHONE BELG +10319|Kindheit und Entwicklung|Psychiatry/Psychology /|0942-5403|Quarterly| |HOGREFE & HUBER PUBLISHERS +10320|Kinematics and Physics of Celestial Bodies|Space Science / Astrophysics|0884-5913|Bimonthly| |ALLERTON PRESS INC +10321|Kinesiology|Clinical Medicine|1331-1441|Semiannual| |UNIV ZAGREB +10322|Kinetic and Related Models|Mathematics /|1937-5093|Quarterly| |AMER INST MATHEMATICAL SCIENCES +10323|Kinetics and Catalysis|Chemistry / Catalysis; Chemical kinetics; Katalyse; Dynamica; Catalyse; Cinétique chimique|0023-1584|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +10324|Kinetoplastid Biology and Disease|Kinetoplastida; Protozoan diseases; Protozoan Infections|1475-9292|Irregular| |BIOMED CENTRAL LTD +10325|Kingbird| |0023-1606|Quarterly| |FEDERATION NEW YORK STATE BIRD CLUBS +10326|Kinki Daigaku Suisan Kenkyu-Jo Hokoku| |0911-7628|Semiannual| |KINKI UNIV +10327|Kirkia| |0451-9930|Semiannual| |R & S S INFORMATION SERVICES +10328|Kirtlandia| |0075-6245|Annual| |CLEVELAND MUSEUM NATURAL HISTORY +10329|Kku Science Journal| |0125-2364|Tri-annual| |KHON KAEN UNIV +10330|Klapalekiana| |1210-6100|Semiannual| |CZECH ENTOMOLOGICAL SOC +10331|Kleintierpraxis|Plant & Animal Science|0023-2076|Monthly| |M H SCHAPER GMBH CO KG +10332|Klinicheskaya Laboratornaya Diagnostika| |0869-2084|Monthly| |IZDATELSTVO MEDITSINA +10333|Klinik Psikofarmakoloji Bulteni-Bulletin of Clinical Psychopharmacology|Psychiatry/Psychology|1017-7833|Quarterly| |KURE ILETISIM GRUBU A S +10334|Klinische Monatsblätter für Augenheilkunde|Clinical Medicine / Eye Diseases; Ophthalmology|0023-2165|Monthly| |GEORG THIEME VERLAG KG +10335|Klinische Neurophysiologie|Clinical Medicine / Nervous System Diseases|1434-0275|Quarterly| |GEORG THIEME VERLAG KG +10336|Klinische Pädiatrie|Clinical Medicine / Pediatrics|0300-8630|Bimonthly| |GEORG THIEME VERLAG KG +10337|Knee|Clinical Medicine / Knee; Knee Injuries; Knee Joint; Knee Prosthesis|0968-0160|Quarterly| |ELSEVIER SCIENCE BV +10338|Knee Surgery Sports Traumatology Arthroscopy|Clinical Medicine / Knee; Sports injuries; Arthroscopy; Athletic Injuries; Knee Injuries|0942-2056|Bimonthly| |SPRINGER +10339|Knjizevna Smotra| |0455-0463|Quarterly| |FILOZOFSKI FAKULTET +10340|Knowledge and Information Systems|Computer Science / Expert systems (Computer science); Information storage and retrieval systems|0219-1377|Bimonthly| |SPRINGER LONDON LTD +10341|Knowledge and Management of Aquatic Ecosystems|Plant & Animal Science /|1961-9502|Quarterly| |EDP SCIENCES S A +10342|Knowledge Engineering Review|Engineering / Expert systems (Computer science); Artificial intelligence; Systèmes experts (Informatique); Intelligence artificielle|0269-8889|Quarterly| |CAMBRIDGE UNIV PRESS +10343|Knowledge Organization|Social Sciences, general|0943-7444|Quarterly| |ERGON-VERLAG +10344|Knowledge-Based Systems|Engineering / Expert systems (Computer science); Systèmes experts (Informatique)|0950-7051|Bimonthly| |ELSEVIER SCIENCE BV +10345|Kobe Journal of Medical Sciences| |0023-2513|Irregular| |KOBE UNIV SCH MEDICINE +10346|KOBUNSHI RONBUNSHU|Chemistry / Polymers; Polymerization|0386-2186|Monthly| |SOC POLYMER SCIENCE JAPAN +10347|Kodai Mathematical Journal|Mathematics / Mathematics|0386-5991|Tri-annual| |KINOKUNIYA CO LTD +10348|Koedoe| |0075-6458|Annual| |SOUTH AFRICAN NATL PARKS-SANP-SOUTH AFRICA +10349|Koelner Forum fuer Geologie und Palaeontologie| |1437-3246|Semiannual| |UNIV KOELN +10350|Kogane| |1346-0943|Semiannual| |JAPANESE SOC SCARABAEOIDEANS +10351|Koleopterologische Rundschau| |0075-6547|Annual| |NATURHISTORISCHES MUSEUM WIEN +10352|Kolloid-Zeitschrift|Colloids; Polymers; Polymerization|0368-6590|Irregular| |DR DIETRICH STEINKOPFF VERLAG +10353|Kolner Zeitschrift fur Soziologie und Sozialpsychologie|Psychiatry/Psychology / Sociology; Social psychology|0023-2653|Quarterly| |VS VERLAG SOZIALWISSENSCHAFTEN-GWV FACHVERLAGE GMBH +10354|Kona Powder and Particle Journal|Materials Science|0288-4534|Annual| |HOSOKAWA POWDER TECHNOL FOUNDATION +10355|Koninklijk Museum Voor Midden-Afrika Tervuren Belgie Annalen Zoologische Wetenschappen| |0379-1785|Irregular| |MUSEE ROYAL AFRIQUE CENTRALE +10356|Koninklijk Museum Voor Midden-Afrika Zoologische Documentatie| |0778-466X|Irregular| |MUSEE ROYAL AFRIQUE CENTRALE +10357|Konsthistorisk Tidskrift|Art / Art / Art|0023-3609|Quarterly| |TAYLOR & FRANCIS AS +10358|Koralle| |1439-779X|Bimonthly| |NATUR TIER - VERLAG +10359|Korea Journal|Social Sciences, general|0023-3900|Quarterly| |KOREAN NATL COMMISSION UNESCO +10360|Korea Observer|Social Sciences, general|0023-3919|Quarterly| |INST KOREAN STUDIES +10361|Korea-Australia Rheology Journal|Clinical Medicine|1226-119X|Quarterly| |KOREAN SOC RHEOLOGY +10362|Korean Journal for Food Science of Animal Resources|Agricultural Sciences|1225-8563|Bimonthly| |KOREAN SOC FOOD SCIENCE ANIMAL RESOURCES +10363|Korean Journal of Applied Entomology| |1225-0171|Quarterly| |KOREAN SOC APPLIED ENTOMOLOGY +10364|Korean Journal of Chemical Engineering|Chemistry / Chemical engineering; Bioengineering|0256-1115|Bimonthly| |SPRINGER +10365|Korean Journal of Defense Analysis|Social Sciences, general / National security; Sécurité nationale|1016-3271|Quarterly| |ROUTLEDGE JOURNALS +10366|Korean Journal of Horticultural Science & Technology|Plant & Animal Science|1226-8763|Quarterly| |KOREAN SOC HORTICULTURAL SCIENCE +10367|Korean Journal of Internal Medicine|Internal Medicine|1226-3303|Quarterly| |KOREAN ASSOC INTERNAL MEDICINE +10368|Korean Journal of Laboratory Medicine|Clinical Medicine /|1598-6535|Bimonthly| |KOREAN SOC LABORATORY MEDICINE +10369|Korean Journal of Malacology| |1225-3480|Semiannual| |MALACOLOGICAL SOC KOREA +10370|Korean Journal of Medical History| |1225-505X|Semiannual| |KOREAN SOC HIST MED +10371|Korean Journal of Metals and Materials|Materials Science /|1738-8228|Monthly| |KOREAN INST METALS MATERIALS +10372|Korean Journal of Microbiology and Biotechnology| |1598-642X|Quarterly| |KOREAN SOC MICROBIOLOGY & BIOTECHNOLOGY +10373|Korean Journal of Mycology| |0253-651X|Quarterly| |KOREAN SOC MYCOLOGY +10374|Korean Journal of Orthodontics|Clinical Medicine /|1225-5610|Bimonthly| |KOREAN ASSOC ORTHODONTISTS +10375|Korean Journal of Parasitology|Microbiology / Parasitology|0023-4001|Quarterly| |KOREAN SOC PARASITOLOGY +10376|Korean Journal of Pathology|Clinical Medicine /|1738-1843|Bimonthly| |KOREAN SOCIETY PATHOLOGISTS +10377|Korean Journal of Physiology & Pharmacology| |1226-4512|Bimonthly| |KOREAN JOURNAL OF PHYSIOLOGY & PHARMACOLOGY +10378|Korean Journal of Plant Taxonomy| |1225-8318|Quarterly| |PLANT TAXONOMIC SOC KOREA +10379|Korean Journal of Radiology|Clinical Medicine / Radiology; Diagnostic imaging; Diagnostic Imaging|1229-6929|Quarterly| |KOREAN RADIOLOGICAL SOC +10380|Korean Journal of Systematic Zoology| |1018-192X|Semiannual| |KOREAN SOC SYSTEMATIC ZOOLOGY +10381|Korrozios Figyelo|Microbiology|0133-2546|Bimonthly| |VEKOR +10382|Kosmorama| |0023-4222|Semiannual| |DANSKE FILMMUSEUMVOLD-DANISH FILMINSITUTE +10383|Kosmos| |0023-4249|Quarterly| |POLSKIE TOWARZYSTWO PRZYRODNIKOW IM KOPERNIKA +10384|Kovove Materialy-Metallic Materials|Materials Science /|0023-432X|Bimonthly| |REDAKCIA KOVOVE MATERIALY +10385|Kragujevac Journal of Science| |1450-9636|Annual| |UNIV KRAGUJEVAC +10386|Krankenhauspharmazie| |0173-7597|Monthly| |DEUTSCHER APOTHEKER VERLAG +10387|Kreukel-Amsterdam| |0168-924X|Irregular| |MALACOLOGISCHE CONTACTGROEP +10388|Kriminalistik|Social Sciences, general|0023-4699|Monthly| |KRIMINALISTIK VERLAG +10389|Kriminologisches Journal|Social Sciences, general|0341-1966|Quarterly| |JUVENTA VERLAG GMBH +10390|Kriterion-Revista de Filosofia|Philosophy; Brazilian literature|0100-512X|Semiannual| |UNIV FED MINAS GERAIS +10391|Kritika-Explorations in Russian and Eurasian History| |1531-023X|Quarterly| |SLAVICA PUBLISHERS +10392|KSCE Journal of Civil Engineering|Engineering /|1226-7988|Bimonthly| |SPRINGER +10393|KSII Transactions on Internet and Information Systems|Computer Science /|1976-7277|Bimonthly| |KSII-KOR SOC INTERNET INFORMATION +10394|Kulon| |1427-3098|Semiannual| |MAZOWIECKO-SWIETOKRZYSKIE TOWARZYSTWO ORNITOLOGICZNE +10395|Kuram Ve Uygulamada Egitim Bilimleri|Social Sciences, general|1303-0485|Semiannual| |EDAM +10396|Kuroshio| |0287-5349|Irregular| |NANKI BIOLOGICAL SOC +10397|Kurtziana| |0075-7314|Irregular| |MUSEO BOTANICO-CORDOBA +10398|Kurume Medical Journal|Medicine|0023-5679|Quarterly| |KURUME UNIV SCH MEDICINE +10399|Kuwait Journal of Science & Engineering|Engineering|1024-8684|Quarterly| |ACADEMIC PUBLICATION COUNCIL +10400|Kuwait Medical Journal|Clinical Medicine|0023-5776|Quarterly| |KUWAIT MEDICAL ASSOC +10401|Kwartalnik Historii Zydow-Jewish History Quarterly| |1425-9966|Quarterly| |JEWISH HISTORICAL INST +10402|Kybernetes|Engineering / Cybernetics; Systems engineering / Cybernetics; Systems engineering|0368-492X|Monthly| |EMERALD GROUP PUBLISHING LIMITED +10403|Kybernetika|Engineering|0023-5954|Bimonthly| |KYBERNETIKA +10404|Kyklos|Economics & Business / Social sciences; Sociale wetenschappen; Sciences sociales|0023-5962|Quarterly| |WILEY-BLACKWELL PUBLISHING +10405|Kyoto Furitsu Kaiyo Senta Kenkyu Hokoku| |0386-5290|Annual| |KYOTO INST OCEANIC & FISHERY SCIENCE +10406|Kyushu Byogaichu Kenkyukaiho| |0385-6410|Annual| |ASSOC PLANT PROTECT KYUSHU +10407|Kyushu Journal of Mathematics|Mathematics / Mathematics; Mathématiques; Wiskunde|1340-6116|Semiannual| |KYUSHU UNIV +10408|Lab Animal|Plant & Animal Science / Laboratory animals; Animals, Laboratory|0093-7355|Monthly| |NATURE PUBLISHING GROUP +10409|Lab on a Chip|Chemistry / Chemical laboratories; Miniature electronic equipment; Combinatorial chemistry; Biotechnology; Nanotechnology; Microchemistry; Miniaturization|1473-0197|Monthly| |ROYAL SOC CHEMISTRY +10410|Labmedicine|Clinical Medicine / Chemistry, Clinical; Pathology; Technology, Medical|0007-5027|Monthly| |AMER SOC CLINICAL PATHOLOGY +10411|Labor History|Labor; Labor movement; Labor unions; Travail; Mouvement ouvrier; Syndicats; Arbeidersbeweging|0023-656X|Quarterly| |ROUTLEDGE JOURNALS +10412|Laboratoriumsmedizin-Journal of Laboratory Medicine|Clinical Medicine / Diagnosis, Laboratory; Laboratory Techniques and Procedures / Diagnosis, Laboratory; Laboratory Techniques and Procedures|0342-3026|Bimonthly| |WALTER DE GRUYTER & CO +10413|Laboratory Animals|Plant & Animal Science / Laboratory animals; Animals, Laboratory; Animaux de laboratoire|0023-6772|Quarterly| |ROYAL SOC MEDICINE PRESS LTD +10414|Laboratory Investigation|Clinical Medicine / Medicine, Experimental; Pathology; Médecine expérimentale|0023-6837|Monthly| |NATURE PUBLISHING GROUP +10415|Laboratory Primate Newsletter| |0023-6861|Quarterly| |BROWN UNIV +10416|Labour Economics|Economics & Business / Labor economics|0927-5371|Bimonthly| |ELSEVIER SCIENCE BV +10417|Labour History|Social Sciences, general|0023-6942|Semiannual| |AUSTRALIAN SOC STUDY LABOUR HISTORY +10418|Labour History Review|Labor; Working class; Arbeidsomstandigheden; Arbeidersbeweging|0961-5652|Tri-annual| |MANEY PUBLISHING +10419|Labour-Le Travail| |0700-3862|Semiannual| |CANADIAN COMMITTEE LABOUR HISTORY +10420|Labyrinth| |0953-0029|Bimonthly| |ANABANTOID ASSOC GREAT BRIT +10421|Lacerta| |0023-7051|Bimonthly| |NEDERLANDSE VERENIGING VOOR HERPETOLOGIE EN TERRARIUMKUNDE +10422|Laeknabladid|Clinical Medicine|0023-7213|Monthly| |LAEKNAFELAG ISLANDS-ICELANDIC MEDICAL ASSOC +10423|Lagascalia| |0210-7708|Semiannual| |UNIV SEVILLA +10424|Laimburg Journal| |1616-8577|Semiannual| |LAND-UND-FORSTWIRTSCHAFTLICHES VERSUCHSZENTRUM LAIMBURGU +10425|Lakartidningen|Clinical Medicine|0023-7205|Weekly| |SVERIGES LAKARFORBUND +10426|Lake and Reservoir Management|Environment/Ecology /|1040-2381|Quarterly| |NORTH AMER LAKE MANAGEMENT SOC +10427|Lakes & Reservoirs-Research and Management|Lakes; Reservoirs|1320-5331|Semiannual| |WILEY-BLACKWELL PUBLISHING +10428|Lambillionea| |0774-2819|Monthly| |UNION ENTOMOLOGISTES BELGES +10429|Lampetra| |1212-1312|Irregular| |ZO CSOP VLASIM +10430|Lancet|Clinical Medicine / Medicine; Médecine|0140-6736|Weekly| |ELSEVIER SCIENCE INC +10431|Lancet Infectious Diseases|Clinical Medicine / Communicable diseases; Infection; Communicable Diseases|1473-3099|Monthly| |ELSEVIER SCIENCE INC +10432|Lancet Neurology|Clinical Medicine / Nervous System; Nervous System Diseases; Neurology|1474-4422|Monthly| |ELSEVIER SCIENCE INC +10433|Lancet Oncology|Clinical Medicine / Oncology; Cancer; Neoplasms; Oncologie|1470-2045|Monthly| |ELSEVIER SCIENCE INC +10434|Land Degradation & Development|Environment/Ecology / Land degradation; Soil conservation; Reclamation of land; Land use; Economic development / Land degradation; Soil conservation; Reclamation of land; Land use; Economic development|1085-3278|Quarterly| |JOHN WILEY & SONS LTD +10435|Land Economics|Social Sciences, general / Land use; Agriculture; Public utilities; Ruimtelijke ordening; Economische aspecten; Sol, Utilisation du; Services publics; LAND; URBAN LAND POLICY; UNITED STATES|0023-7639|Quarterly| |UNIV WISCONSIN +10436|Land Use Policy|Social Sciences, general / Land use|0264-8377|Quarterly| |ELSEVIER SCI LTD +10437|Landbauforschung Volkenrode|Agricultural Sciences|0458-6859|Quarterly| |FORSCHUNGSANSTALT FUR LANDWIRT BRAUNSCHWEIG VOLKENRODE +10438|Landesmuseum Joanneum Graz Jahresbericht| |0378-6862|Annual| |LANDESMUSEUM JOANNEUM +10439|Landfall| |0023-7930|Semiannual| |UNIV OTAGO PRESS +10440|Landscape and Ecological Engineering|Environment/Ecology / Landscape protection; Nature conservation; Ecology; Landscape architecture; Landscape gardening|1860-1871|Semiannual| |SPRINGER TOKYO +10441|Landscape and Urban Planning|Social Sciences, general / City planning; Urban ecology; Landscape architecture; Landscape protection|0169-2046|Bimonthly| |ELSEVIER SCIENCE BV +10442|Landscape Architecture| |0023-8031|Monthly| |AMER SOC LANDSCAPE ARCHITECTS +10443|Landscape Ecology|Environment/Ecology / Landscape ecology; Landscape protection; Landscape architecture; Landschapsecologie; Paysage; Architecture du paysage; Écologie humaine; Écologie du paysage|0921-2973|Bimonthly| |SPRINGER +10444|Landscape Research|Environment/Ecology / Landscape; Land use|0142-6397|Quarterly| |ROUTLEDGE JOURNALS +10445|Landschaftspflege und Naturschutz in Thueringen| |0323-8253|Quarterly| |THUERINGER LANDESANSTALT UMWELT GEOLOGIE +10446|Landslides|Geosciences / Landslides|1612-510X|Quarterly| |SPRINGER HEIDELBERG +10447|Langenbecks Archives of Surgery|Clinical Medicine / Surgery; Surgical Procedures, Operative / Surgery; Surgical Procedures, Operative|1435-2443|Bimonthly| |SPRINGER +10448|Langmuir|Chemistry / Surface chemistry; Colloids; Surfaces (Physics); Surface Properties; Colloïdchemie; Oppervlakken|0743-7463|Semimonthly| |AMER CHEMICAL SOC +10449|Language|Social Sciences, general / Language and languages; Comparative linguistics; Language; Linguistics; Langage et langues; Linguistique comparée; Taalwetenschap; Acquisition du langage; Langage; Linguistique; Linguistique computationnelle; Sociolinguistique|0097-8507|Quarterly| |LINGUISTIC SOC AMER +10450|Language & Communication|Social Sciences, general / Communication; Linguistics|0271-5309|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +10451|Language Acquisition|Social Sciences, general / Language acquisition; Language Development; Taalverwerving; Langage / Language acquisition; Language Development; Taalverwerving; Langage|1048-9223|Quarterly| |PSYCHOLOGY PRESS +10452|Language and Cognitive Processes|Psychiatry/Psychology / Psycholinguistics; Linguistics; Cognition; Psycholinguistique; Linguistique; Taal; Cognitieve processen; Cognitieve linguïstiek|0169-0965|Bimonthly| |PSYCHOLOGY PRESS +10453|Language and Intercultural Communication|Social Sciences, general /|1470-8477|Quarterly| |ROUTLEDGE JOURNALS +10454|Language and Linguistics|Social Sciences, general|1606-822X|Quarterly| |INST LINGUISTICS ACAD SINICA +10455|Language and Literature|Social Sciences, general / Language and languages; Linguistic analysis (Linguistics)|0963-9470|Quarterly| |SAGE PUBLICATIONS LTD +10456|Language and Speech|Social Sciences, general / Language and languages; Speech; Language; Phonetics|0023-8309|Quarterly| |KINGSTON PRESS SERVICES LTD +10457|Language Assessment Quarterly|Social Sciences, general / Language and languages|1543-4303|Quarterly| |ROUTLEDGE JOURNALS +10458|Language Awareness|Social Sciences, general / Language awareness|0965-8416|Quarterly| |ROUTLEDGE JOURNALS +10459|Language Culture and Curriculum|Social Sciences, general / Language and languages; Langage et langues; Langage et culture|0790-8318|Tri-annual| |ROUTLEDGE JOURNALS +10460|Language in Society|Social Sciences, general / Sociolinguistics|0047-4045|Bimonthly| |CAMBRIDGE UNIV PRESS +10461|Language Learning|Social Sciences, general / Language and languages; Toegepaste taalwetenschap; Tweedetaalverwerving; Langage et langues|0023-8333|Quarterly| |WILEY-BLACKWELL PUBLISHING +10462|Language Learning & Technology|Social Sciences, general|1094-3501|Tri-annual| |UNIV HAWAII +10463|Language Matters|Social Sciences, general /|1022-8195|Semiannual| |ROUTLEDGE JOURNALS +10464|Language Policy|Social Sciences, general / Language policy; Sociolinguistics; Taalpolitiek; Taalminderheden|1568-4555|Quarterly| |SPRINGER +10465|Language Problems & Language Planning|Social Sciences, general / Language planning; Sociolinguistics|0272-2690|Tri-annual| |JOHN BENJAMINS PUBLISHING COMPANY +10466|Language Resources and Evaluation|Computer Science / Humanities; Information storage and retrieval systems|1574-020X|Quarterly| |SPRINGER +10467|Language Sciences|Social Sciences, general / Linguistics; Language and languages; Language; Language Development; Psycholinguistics|0388-0001|Bimonthly| |ELSEVIER SCI LTD +10468|Language Speech and Hearing Services in Schools|Social Sciences, general / Speech therapy for children; Speech disorders in children; Deaf children; Hearing disorders in children; Children; Hearing Disorders; Language Therapy; School Health Services; Speech Therapy; Taalproblemen; Spraakstoornissen; G|0161-1461|Quarterly| |AMER SPEECH-LANGUAGE-HEARING ASSOC +10469|Language Teaching|Languages, Modern; Linguistics; Taalonderwijs; Langues vivantes|0261-4448|Quarterly| |CAMBRIDGE UNIV PRESS +10470|Language Teaching Research|Social Sciences, general / Languages, Modern; English language; Langues vivantes; Anglais (Langue); Toegepaste taalwetenschap; Onderwijs|1362-1688|Quarterly| |SAGE PUBLICATIONS LTD +10471|Language Testing|Social Sciences, general / Language and languages|0265-5322|Quarterly| |SAGE PUBLICATIONS LTD +10472|Language Variation and Change|Social Sciences, general / Language and languages; Linguistic change|0954-3945|Tri-annual| |CAMBRIDGE UNIV PRESS +10473|Langue française|French language|0023-8368|Quarterly| |LAROUSSE +10474|Lanius| |0176-2532|Irregular| |ORNITHOLOGISCHER BEOBACHTERRING SAAR +10475|Lankesteriana| | |Tri-annual| |UNIV COSTA RICA +10476|Large Animal Review|Plant & Animal Science|1124-4593|Bimonthly| |SIVAR-SOC ITALIANA VETERINARI ANIMALI REDDITO +10477|Larus| |0350-5189|Irregular| |ZAVOD ZA ORNITOLOGIJU +10478|Laryngo-Rhino-Otologie|Clinical Medicine / Otorhinolaryngologic Diseases|0935-8943|Monthly| |GEORG THIEME VERLAG KG +10479|Laryngoscope|Clinical Medicine / Otolaryngology; Keel- neus- en oorheelkunde; Oto-rhino-laryngologie; Oreille; Nez; Gorge|0023-852X|Monthly| |JOHN WILEY & SONS INC +10480|Laser & Photonics Reviews|Physics / /|1863-8880|Bimonthly| |WILEY-V C H VERLAG GMBH +10481|Laser and Particle Beams|Physics / Laser beams; Particle beams|0263-0346|Quarterly| |CAMBRIDGE UNIV PRESS +10482|Laser Focus World|Physics|1043-8092|Monthly| |PENNWELL PUBL CO +10483|Laser Physics|Physics / Lasers|1054-660X|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +10484|Laser Physics Letters|Physics / Lasers; Physics|1612-2011|Monthly| |WILEY-V C H VERLAG GMBH +10485|Laser Therapy| |0898-5901|Quarterly| |LASER THERAPY PUBL LTD +10486|Lasers in Engineering|Physics / Lasers in engineering; Lasers|0898-1507|Quarterly| |OLD CITY PUBLISHING INC +10487|Lasers in Medical Science|Clinical Medicine / Lasers; Laserchirurgie; Lasertherapie|0268-8921|Quarterly| |SPRINGER LONDON LTD +10488|Lasers in Surgery and Medicine|Clinical Medicine / Lasers in medicine; Lasers in surgery; Laser Surgery; Lasers|0196-8092|Monthly| |WILEY-LISS +10489|Late Imperial China| |0884-3236|Semiannual| |JOHNS HOPKINS UNIV PRESS +10490|Laterality|Psychiatry/Psychology / Laterality; Cerebral dominance / Laterality; Cerebral dominance|1357-650X|Quarterly| |PSYCHOLOGY PRESS +10491|Latin American Antiquity|Indians of Mexico; Indians of Central America; Indians of South America; Archeologie|1045-6635|Quarterly| |SOC AMER ARCHAEOLOGY +10492|Latin American Applied Research|Chemistry|0327-0793|Quarterly| |PLAPIQUI(UNS-CONICET) +10493|Latin American Indian Literatures Journal| |0888-5613|Semiannual| |LATIN AMER INDIAN LITERATURES JOURNAL +10494|Latin American Journal of Aquatic Mammals| |1676-7497|Semiannual| |SOC LATINOAMER ESPECIALISTAS MAMIFEROS ACUATICOS +10495|Latin American Journal of Aquatic Research|Plant & Animal Science /|0718-560X|Semiannual| |UNIV CATOLICA DE VALPARAISO +10496|Latin American Journal of Pharmacy|Pharmacology & Toxicology|0326-2383|Bimonthly| |COLEGIO FARMACEUTICOS PROVINCIA DE BUENOS AIRES +10497|Latin American Journal of Solids and Structures|Engineering|1679-7817|Quarterly| |LATIN AMER J SOLIDS STRUCTURES +10498|Latin American Music Review-Revista de Musica Latinoamericana|Music; Indians|0163-0350|Semiannual| |UNIV TEXAS PRESS +10499|Latin American Perspectives|Social Sciences, general /|0094-582X|Bimonthly| |SAGE PUBLICATIONS INC +10500|Latin American Politics and Society|Politieke ontwikkeling; Sociale ontwikkeling|1531-426X|Quarterly| |WILEY-BLACKWELL PUBLISHING +10501|Latin American Research Review|Social Sciences, general /|0023-8791|Tri-annual| |UNIV TEXAS PRESS +10502|Latin American Theatre Review| |0023-8813|Semiannual| |UNIV KANSAS +10503|Latin Trade| |1087-0857|Bimonthly| |MIAMI MEDIA LLC +10504|Latissimus| |0966-2235|Irregular| |BALFOUR-BROWNE CLUB +10505|Latomus| |0023-8856|Quarterly| |SOC ETUD LATINES BRUXELLES +10506|Latridiidae| | |Irregular| |WOLFGANG RUECKER VERLAG +10507|Latvijas Entomologijas Arhivs| | |Irregular| |ZINATNE +10508|Latvijas Entomologs| |0320-3743|Annual| |LATVIAN ENTOMOLOGICAL SOC +10509|Latvijas Universitates Zinatniskie Raksti| |1407-2157|Irregular| |LATVIJAS UNIV +10510|Lauterbornia| |0935-333X|Irregular| |ERIK MAUCH VERLAG +10511|Laval Theologique et Philosophique| |0023-9054|Tri-annual| |PRESSES UNIV LAVAL +10512|Lavori Della Societa Italiana Di Malacologia| |1121-3604|Annual| |SOC ITALIANA MALACOLOGIA +10513|Law & Literature|Law and literature|1535-685X|Tri-annual| |UNIV CALIFORNIA PRESS +10514|Law & Policy|Social Sciences, general / Public policy (Law) / Public policy (Law)|0265-8240|Quarterly| |WILEY-BLACKWELL PUBLISHING +10515|Law & Society Review|Social Sciences, general / Sociological jurisprudence; Recht; Maatschappij; Droit / Sociological jurisprudence; Recht; Maatschappij; Droit|0023-9216|Quarterly| |WILEY-BLACKWELL PUBLISHING +10516|Law and Contemporary Problems|Law; Legislation; Social Conditions|0023-9186|Quarterly| |DUKE UNIV +10517|Law and Human Behavior|Psychiatry/Psychology / Law; Behavior; Behavioral Sciences; Jurisprudence; Rechtspsychologie; Afwijkend gedrag; Droit; Comportement humain|0147-7307|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +10518|Law and Philosophy|Social Sciences, general / Jurisprudence; Law; Rechtsfilosofie; Rechtstheorie; Common law|0167-5249|Bimonthly| |SPRINGER +10519|Law and Social Inquiry-Journal of the American Bar Foundation|Social Sciences, general / Sociological jurisprudence|0897-6546|Quarterly| |WILEY-BLACKWELL PUBLISHING +10520|Law Library Journal|Social Sciences, general|0023-9283|Quarterly| |AMER ASSOC LAW LIBRARIES +10521|Law Quarterly Review| |0023-933X|Quarterly| |STEVENS & SONS LTD +10522|Lazaroa| |0210-9778|Annual| |UNIV COMPLUTENSE MADRID +10523|Lc Gc Europe|Chemistry|1471-6577|Monthly| |ADVANSTAR COMMUNICATIONS INC +10524|Lc Gc North America|Chemistry|1527-5949|Monthly| |ADVANSTAR COMMUNICATIONS INC +10525|Leadership|Leadership; Management|1742-7150|Quarterly| |SAGE PUBLICATIONS INC +10526|Leadership Quarterly|Economics & Business / Leadership; Industrial management; Interpersonal relations; Management|1048-9843|Bimonthly| |ELSEVIER SCIENCE INC +10527|Learned Publishing|Social Sciences, general / Scholarly publishing; Learned institutions and societies|0953-1513|Quarterly| |ASSOC LEARNED PROFESSIONAL SOC PUBL +10528|Learning & Behavior|Psychiatry/Psychology / Animal behavior; Human behavior; Learning in animals; Learning, Psychology of; Learning; Behavior; Behavior, Animal; Psychology, Experimental; Conditioning (Psychology); Apprentissage, Psychologie de l'; Comportement humain; Anima|1543-4494|Quarterly| |PSYCHONOMIC SOC INC +10529|Learning & Memory|Neuroscience & Behavior / Memory; Learning; Leren; Geheugen / Memory; Learning; Leren; Geheugen|1072-0502|Monthly| |COLD SPRING HARBOR LAB PRESS +10530|Learning and Individual Differences|Psychiatry/Psychology / Learning, Psychology of; Individual differences; Educational psychology|1041-6080|Quarterly| |ELSEVIER SCIENCE BV +10531|Learning and Instruction|Social Sciences, general / Learning; Teaching; Apprentissage; Pédagogie|0959-4752|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +10532|Learning and Motivation|Psychiatry/Psychology / Learning, Psychology of; Motivation (Psychology); Learning; Motivation; Studiemotivatie; Leerprocessen; Apprentissage, Psychologie de l'; Motivation (Psychologie)|0023-9690|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +10533|Learning Disability Quarterly|Social Sciences, general / Learning disabilities; Learning Disorders|0731-9487|Quarterly| |COUNCIL LEARNING DISABILITIES +10534|Learning Media and Technology|Educational technology; Internet in education; Television in education; Distance education; Teaching; Technologie éducative; Internet en éducation; Télévision en éducation; Enseignement à distance; Matériel didactique / Educational technology; Internet i|1743-9892|Quarterly| |ROUTLEDGE JOURNALS +10535|Lebanese Science Journal| |1561-3410|Semiannual| |NATL COUNCIL SCIENTIFIC RESEARCH +10536|Leber Magen Darm|Clinical Medicine|0300-8622|Bimonthly| |RICHARD PFLAUM VERLAG GMBH & CO KG +10537|Lecta| |0104-0987|Irregular| |UNIV SAO FRANCISCO +10538|Lecture Notes in Computer Science|Computer Science|0302-9743|Weekly| |SPRINGER +10539|Lecture Notes in Mathematics|Mathematics|0075-8434|Irregular| |SPRINGER-VERLAG BERLIN +10540|Legacy| |0748-4321|Semiannual| |UNIV NEBRASKA PRESS +10541|Legal and Criminological Psychology|Psychiatry/Psychology / Forensic psychology; Law; Criminal psychology; Psychologie légale; Droit; Psychologie criminelle; Criminele psychologie; Criminaliteit; Daders|1355-3259|Semiannual| |BRITISH PSYCHOLOGICAL SOC +10542|Legal Medicine|Clinical Medicine / Medical jurisprudence; Forensic Medicine|1344-6223|Quarterly| |ELSEVIER IRELAND LTD +10543|Legislative Studies Quarterly|Social Sciences, general / Legislative bodies; Wetgeving; Parlements|0362-9805|Quarterly| |COMPARATIVE LEGISLATIVE RES CENTER +10544|Legume Research|Agricultural Sciences|0250-5371|Quarterly| |AGRICULTURAL RESEARCH COMMUNICATION CENTRE +10545|Leicestershire Entomological Society Occasional Publications Series| |0957-1019|Irregular| |LEICESTERSHIRE ENTOMOLOGICAL SOC +10546|Leiden Journal of International Law|Social Sciences, general / International law|0922-1565|Quarterly| |CAMBRIDGE UNIV PRESS +10547|Leipziger Geowissenschaften| |0948-1257|Irregular| |UNIV LEIPZIG +10548|Leisure Sciences|Social Sciences, general / Leisure|0149-0400|Quarterly| |TAYLOR & FRANCIS INC +10549|Leisure Studies|Social Sciences, general / Leisure; Recreation|0261-4367|Quarterly| |ROUTLEDGE JOURNALS +10550|Lejeunia| |0457-4184|Irregular| |EDITIONS LEJEUNIA +10551|Lemur News| |1608-1439|Annual| |LEMUR NEWS +10552|Leonardo|Art, Modern|0024-094X|Bimonthly| |M I T PRESS +10553|Leonardo Music Journal|Music; Music theory; Sound; Music and science; Muziek; Musique; Théorie musicale; Son; Musique et sciences; Musique et technologie|0961-1215|Annual| |M I T PRESS +10554|Lepidoptera Conservation Bulletin| | |Annual| |BUTTERFLY CONSERVATION +10555|Lepidoptera News| |1062-6581|Quarterly| |ASSOC TROPICAL LEPIDOPTERA +10556|Lepidoptera-Copenhagen| |0075-8787|Semiannual| |LEPIDOPTEROLOGICAL SOC COPENHAGEN +10557|Lepidopterenfauna der Rheinlande und Westfalens| |0941-3189|Irregular| |ARBEITS RHEIN WEST LEPIDOPT +10558|Lepidopteres| |1964-4078|Irregular| |HILLSIDE BOOKS +10559|Lepinfo| | |Irregular| |EESTI LOODUSEUURIJATE SELTS +10560|Leprosy Review|Clinical Medicine|0305-7518|Quarterly| |LEPRA +10561|Lesne Prace Badawcze| |1732-9442|Quarterly| |INST BADAWCZY LESNICTWA +10562|Lesovedenie| |0024-1148|Irregular| |IZDATELSTVO NAUKA +10563|Lethaia|Geosciences / Paleontology; Geology, Stratigraphic; Paléontologie; Stratigraphie|0024-1164|Quarterly| |WILEY-BLACKWELL PUBLISHING +10564|Lettere Italiane| |0024-1334|Quarterly| |CASA EDITRICE LEO S OLSCHKI +10565|Letters in Applied Microbiology|Microbiology / Microbiology; Toegepaste microbiologie; Microbiologie|0266-8254|Monthly| |WILEY-BLACKWELL PUBLISHING +10566|Letters in Drug Design & Discovery|Pharmacology & Toxicology / Drugs; Drug development; Drug Design / Drugs; Drug development; Drug Design|1570-1808|Bimonthly| |BENTHAM SCIENCE PUBL LTD +10567|Letters in Mathematical Physics|Physics / Mathematical physics; Mathematische fysica|0377-9017|Semimonthly| |SPRINGER +10568|Letters in Organic Chemistry|Chemistry / Chemistry, Organic|1570-1786|Quarterly| |BENTHAM SCIENCE PUBL LTD +10569|Lettre de L Atlas Entomologique Regional Nantes| |1260-0520|Annual| |ATLAS ENTOMOLOGIQUE REGIONAL +10570|Leukemia|Clinical Medicine / Leukemia|0887-6924|Monthly| |NATURE PUBLISHING GROUP +10571|Leukemia & Lymphoma|Clinical Medicine / Leukemia; Lymphomas; Lymphoma|1042-8194|Monthly| |TAYLOR & FRANCIS LTD +10572|Leukemia Research|Clinical Medicine / Leukemia; Leucémie; Leukemie|0145-2126|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +10573|Leukos|Engineering / Electric lighting|1550-2724|Quarterly| |ILLUMINAT ENG SOC NORTH AMER +10574|Levende Natuur| |0024-1520|Bimonthly| |LEVENDE NATUUR +10575|Lex Localis-Journal of Local Self-Government|Social Sciences, general|1581-5374|Quarterly| |INST LOCAL SELF-GOVERNMENT PUBLIC PROCUREMENT MARIBOR +10576|Lexikos|Social Sciences, general|1684-4904|Annual| |BURO VAN DIE WAT +10577|Liaoning Shifan Daxue Xuebao Ziran Kexue Ban| |1000-1735|Quarterly| |LIAONING NORMAL UNIV +10578|Lias-Sources and Documents Relating to the Early Modern History of Ideas| |0304-0003|Semiannual| |APA-HOLLAND UNIV PRESS BV +10579|Libellennachrichten| |1437-5621| | |GESELLSCHAFT DEUTSCHSPRACHIGER ODONATOLOGEN-GDO-E V +10580|Libellenvereniging Vlaanderen Nieuwsbrief| | | | |GOMPHUS +10581|Libellula| |0723-6514|Semiannual| |GESELLSCHAFT DEUTSCHSPRACHIGER ODONATOLOGEN-GDO-E V +10582|Liberte| |0024-2020|Quarterly| |LIBERTE +10583|Libraries & the Cultural Record| |1932-4855|Quarterly| |UNIV TEXAS PRESS +10584|Library|Bibliography; Library science; Bibliothéconomie|0024-2160|Quarterly| |OXFORD UNIV PRESS +10585|Library & Information Science Research|Social Sciences, general / Library science; Information science|0740-8188|Quarterly| |ELSEVIER SCIENCE INC +10586|Library and Information Science|Social Sciences, general|0373-4447|Annual| |MITA SOC LIBRARY INFORMATION SCIENCE +10587|Library Collections Acquisitions & Technical Services|Social Sciences, general / Acquisitions (Libraries); Collection management (Libraries); Technical services (Libraries)|1464-9055|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +10588|Library Hi Tech|Social Sciences, general / Library science; Libraries; Information science; Library Automation; Library Science; Information Science|0737-8831|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +10589|Library Journal|Social Sciences, general|0363-0277|Semimonthly| |REED BUSINESS INFORMATION +10590|Library Quarterly|Social Sciences, general / Library science; Library Science; Documentaire informatie|0024-2519|Quarterly| |UNIV CHICAGO PRESS +10591|Library Resources & Technical Services|Social Sciences, general|0024-2527|Quarterly| |AMER LIBRARY ASSOC +10592|Library Trends|Social Sciences, general /|0024-2594|Quarterly| |JOHNS HOPKINS UNIV PRESS +10593|Libri|Social Sciences, general / Library science; BIBLIOTECOLOGIA; Documentaire informatie; IFLA|0024-2667|Quarterly| |K G SAUR VERLAG KG +10594|Libyan Journal of Medicine|Clinical Medicine /|1993-2820|Quarterly| |CO-ACTION PUBLISHING +10595|Lichenologist|Plant & Animal Science / Lichens|0024-2829|Bimonthly| |CAMBRIDGE UNIV PRESS +10596|Lied und Populare Kultur-Song and Popular Culture|Folk music; Folk songs, German|1619-0548|Annual| |WAXMANN VERLAG GMBH +10597|Life Science Journal-Acta Zhengzhou University Overseas Edition|Multidisciplinary|1097-8135|Quarterly| |MARSLAND PRESS +10598|Life Sciences|Biology & Biochemistry / Physiology; Pharmacology|0024-3205|Weekly| |PERGAMON-ELSEVIER SCIENCE LTD +10599|Lifetime Data Analysis|Mathematics / Mathematical statistics; Data Interpretation, Statistical; Models, Statistical; Prévision; Analyse de la survie (Biométrie); Pronostics (Pathologie); Événement; Série chronologique; Temps entre défaillances, Analyse des|1380-7870|Quarterly| |SPRINGER +10600|Light & Engineering|Engineering|0236-2945|Quarterly| |ZNACK PUBLISHING HOUSE +10601|Lighting Research & Technology|Engineering|1477-1535|Quarterly| |SAGE PUBLICATIONS LTD +10602|Lili-Zeitschrift fur Literaturwissenschaft und Linguistik| |0049-8653|Quarterly| |J B METZLER +10603|Lilloa| |0075-9481|Irregular| |FUNDACION MIGUEL LILLO +10604|Limicola| |0932-9153|Bimonthly| |LIMICOLA +10605|Limnetica|Environment/Ecology|0213-8409|Semiannual| |ASOC ESPAN LIMNOL-MISLATA +10606|Limnologica|Environment/Ecology / Limnology; Freshwater biology; Limnologie|0075-9511|Quarterly| |ELSEVIER GMBH +10607|Limnology|Geosciences / Limnology; Freshwater biology; Limnologie; Biologie d'eau douce|1439-8621|Tri-annual| |SPRINGER TOKYO +10608|Limnology and Oceanography|Plant & Animal Science /|0024-3590|Bimonthly| |AMER SOC LIMNOLOGY OCEANOGRAPHY +10609|Limnology and Oceanography-Methods|Geosciences /|1541-5856|Monthly| |AMER SOC LIMNOLOGY OCEANOGRAPHY +10610|Limosa| |0024-3620|Quarterly| |NEDERLANDSE ORNITHOLOGISCHE UNIE +10611|Lindbergia| |0105-0761|Bimonthly| |NORDIC BRYOLOGICAL SOC +10612|Lindleyana| |0889-258X|Quarterly| |AMER ORCHID SOC INC +10613|Linear & Multilinear Algebra|Mathematics / Algebras, Linear; Multilinear algebra|0308-1087|Bimonthly| |TAYLOR & FRANCIS LTD +10614|Linear Algebra and its Applications|Mathematics / Algebras, Linear|0024-3795|Semimonthly| |ELSEVIER SCIENCE INC +10615|Lingua|Language and languages; Linguistics; Taalwetenschap; Langage et langues|0024-3841|Monthly| |ELSEVIER SCIENCE BV +10616|Lingua E Stile| |0024-385X|Semiannual| |SOC ED IL MULINO +10617|Lingua Nostra| |0024-3868|Semiannual| |CASA EDITRICE G C SANSONI SPA +10618|Linguistic Inquiry|Social Sciences, general / Linguistics|0024-3892|Quarterly| |M I T PRESS +10619|Linguistic Review|Social Sciences, general / Linguistics; Taalwetenschap|0167-6318|Quarterly| |MOUTON DE GRUYTER +10620|Linguistica Pragensia|Social Sciences, general /|0862-8432|Semiannual| |VERSITA +10621|Linguistica Uralica|Social Sciences, general / Uralic languages|0868-4731|Quarterly| |ESTONIAN ACADEMY PUBLISHERS +10622|Linguistics|Linguistics; Taalwetenschap|0024-3949|Bimonthly| |MOUTON DE GRUYTER +10623|Linguistics and Philosophy|Social Sciences, general / Linguistics; Language and languages|0165-0157|Bimonthly| |SPRINGER +10624|Linguistique|Linguistics|0075-966X|Semiannual| |PRESSES UNIV FRANCE +10625|Linnean| |0950-1096|Quarterly| |LINNEAN SOC LONDON +10626|Linnean Society Occasional Publication| | |Irregular| |LINNEAN SOC LONDON +10627|Linneana Belgica| |0024-4090|Quarterly| |LINNEANA BELGICA +10628|Linzer Biologische Beitraege| |0253-116X|Semiannual| |BOTANISCHE ARBEITSGEMEINSCHAFT AM OBEROESTERREICHISCHEN LANDESMUSEUM +10629|Lion and the Unicorn| |0147-2593|Tri-annual| |JOHNS HOPKINS UNIV PRESS +10630|Lipids|Biology & Biochemistry / Lipids; Lipiden; Lipides|0024-4201|Monthly| |SPRINGER HEIDELBERG +10631|Lipids in Health and Disease|Molecular Biology & Genetics / Lipids; Lipids in human nutrition; Nutrition; Hyperlipidemia|1476-511X|Monthly| |BIOMED CENTRAL LTD +10632|Liquid Crystals|Chemistry / Liquid crystals; Cristaux liquides|0267-8292|Monthly| |TAYLOR & FRANCIS LTD +10633|Listados Faunisticos de Mexico| |1026-8766|Irregular| |UNIV NACIONAL AUTONOMA MEXICO +10634|Listas de la Flora Y Fauna de Las Aguas Continentales de la Peninsula Iberica| |1134-5470|Annual| |ASOC ESPAN LIMNOL-MISLATA +10635|Liste des Travaux Arachnologiques| |0295-060X|Annual| |CENTRE INT DOCUMENTATION ARACHNOLOGIQUE C I D A +10636|Listy Cukrovarnicke A Reparske|Agricultural Sciences|1210-3306|Monthly| |LISTY CUKROVARNICKE REPARSKE +10637|Listy Filologicke| |0024-4457|Semiannual| |INST CLASSICAL STUD ACAD SCI CZECH REPUBLIC +10638|Lit-Literature Interpretation Theory|Literature|1043-6928|Quarterly| |ROUTLEDGE JOURNALS +10639|Litasfera| |1680-2373|Semiannual| |INST GEOCHEMISTRY & GEOPHYSICS +10640|Literary Imagination|Literature|1523-9012|Tri-annual| |OXFORD UNIV PRESS +10641|Literary Review| |0024-4589|Quarterly| |FAIRLEIGH DICKINSON UNIV LITERARY REV +10642|Literatur und Kritik| |0024-466X|Bimonthly| |OTTO MULLER VERLAG +10643|Literature & History-Third Series| |0306-1973|Semiannual| |MANCHESTER UNIV PRESS +10644|Literature and Medicine| |0278-9671|Annual| |JOHNS HOPKINS UNIV PRESS +10645|Literature and Psychology| |0024-4759|Tri-annual| |RHODE ISLAND COLLEGE +10646|Literature and Theology|Religion and literature|0269-1205|Quarterly| |OXFORD UNIV PRESS +10647|Literature-Film Quarterly| |0090-4260|Quarterly| |SALISBURY STATE UNIV +10648|Lithology and Mineral Resources|Geosciences / Mines and mineral resources; Petrology|0024-4902|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +10649|Lithos|Geosciences / Mineralogy; Petrology; Geochemistry|0024-4937|Monthly| |ELSEVIER SCIENCE BV +10650|Lithosphere| |1941-8264|Bimonthly| |GEOLOGICAL SOC AMER +10651|Lithuanian Journal of Physics|Physics /|1648-8504|Quarterly| |LITHUANIAN PHYSICAL SOC +10652|Lithuanian Mathematical Journal|Mathematics / Mathematics / Mathematics / Mathematics|0363-1672|Quarterly| |SPRINGER +10653|Littérature| |0047-4800|Quarterly| |LAROUSSE +10654|Litteratures| |0563-9751|Semiannual| |UNIV TOULOUSE MIRAIL +10655|Liver International|Clinical Medicine / Liver; Liver Diseases|1478-3223|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10656|Liver Transplantation|Clinical Medicine / Liver; Liver Transplantation|1527-6465|Monthly| |JOHN WILEY & SONS INC +10657|Livestock Science|Plant & Animal Science / Livestock; Animal industry; Domestic animals; Bétail; Industrie animale; Animaux domestiques|1871-1413|Monthly| |ELSEVIER SCIENCE BV +10658|Living|Family; Marriage; Social problems|1538-1420|Quarterly| |WILEY-BLACKWELL PUBLISHING +10659|Living Forests| |1680-0494|Semiannual| |KADOORIE FARM & BOTANIC GARDEN +10660|Living Reviews in Relativity|Physics|1433-8351|Irregular| |MAX PLANCK INSTITUT GRAVITATIONAL PHYSICS-ALBERT EINSTEIN INSTITUTE +10661|Living World| |1029-3299|Annual| |TRINIDAD TOBAGO FIELD NATURALISTS CLUB +10662|Ljetopis Socijalnog Rada|Social Sciences, general|1846-5412|Tri-annual| |UNIV ZAGREB FAC LAW DEPT SOCIAL WORK +10663|LMS Journal of Computation and Mathematics| |1461-1570|Irregular| |CAMBRIDGE UNIV PRESS +10664|Lobster Newsletter| |1204-8380|Semiannual| |LOBSTER NEWSLETTER +10665|Local Government Studies|Social Sciences, general / Local government|0300-3930|Bimonthly| |ROUTLEDGE JOURNALS +10666|Loened Aziad| | |Irregular| |D M MORVAN +10667|Logic Journal of the Igpl|Mathematics / Logic, Symbolic and mathematical|1367-0751|Bimonthly| |OXFORD UNIV PRESS +10668|Logical Methods in Computer Science|Computer Science /|1860-5974|Irregular| |TECH UNIV BRAUNSCHWEIG +10669|Logique et Analyse| |0024-5836|Quarterly| |CENTRE NATIONAL BELGE RECHERCHES LOGIQUE +10670|Logopedics Phoniatrics Vocology|Clinical Medicine / Language Disorders; Speech Disorders; Voice; Voice Disorders|1401-5439|Quarterly| |INFORMA HEALTHCARE +10671|Logos & Pneuma-Chinese Journal of Theology| |1023-2583|Semiannual| |LOGOS & PNEUMA PRESS +10672|Logos-A Journal of Catholic Thought and Culture| |1091-6687|Quarterly| |UNIV ST THOMAS +10673|Logos-Vilnius| |0868-7692|Quarterly| |LOGOS +10674|London Bird Report| |0141-4348|Annual| |LONDON NATURAL HISTORY SOC +10675|London Naturalist| |0076-0579|Annual| |LONDON NATURAL HISTORY SOC +10676|Long Range Planning|Economics & Business / Management|0024-6301|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +10677|Long-Term Monitoring of the Great Barrier Reef Standard Operational Procedure| |1327-0184|Irregular| |AUSTRALIAN INST MARINE SCIENCE +10678|Loon| |0024-645X|Quarterly| |MINNESOTA ORNITHOLOGISTS UNION +10679|Lorentzia| |0076-0897|Irregular| |MUSEO BOTANICO-CORDOBA +10680|Lothian Bird Report| |0265-6213|Annual| |SCOTTISH ORNITHOLOGISTS CLUB-SOC +10681|Lotus International| |1124-9064|Quarterly| |ELECTA PERIODICI SRL +10682|Lounais-Hameen Luonto| |0355-3728|Annual| |LOUNAIS-HAMEEN LUONNONSUOJELUYHDISTYS RY +10683|Low Temperature Physics|Physics / Low temperatures|1063-777X|Monthly| |AMER INST PHYSICS +10684|Lubrication Science|Engineering /|0954-0075|Monthly| |JOHN WILEY & SONS LTD +10685|Ludus Vitalis| |1133-5165|Semiannual| |CENTRO DE ESTUDIOS FILOSOFICOS +10686|Luminescence|Biology & Biochemistry / Bioluminescence; Chemiluminescence; Luminescence|1522-7235|Bimonthly| |JOHN WILEY & SONS LTD +10687|Lundellia| |1097-993X|Irregular| |PLANT RESOURCES CENTER +10688|Lundiana| |1676-6180|Semiannual| |MELOPSITTACUS PUBLICACOES CIENTIFICAS LTDA +10689|Lung|Clinical Medicine / Lungs; Respiration; Lung; Lung Diseases; Ademhalingsorganen; Longen; Longziekten / Lungs; Respiration; Lung; Lung Diseases; Ademhalingsorganen; Longen; Longziekten / Lungs; Respiration; Lung; Lung Diseases; Ademhalingsorganen; Longen;|0341-2040|Bimonthly| |SPRINGER +10690|Lung Cancer|Clinical Medicine / Lungs; Lung Neoplasms|0169-5002|Monthly| |ELSEVIER IRELAND LTD +10691|Lupus|Clinical Medicine / Systemic lupus erythematosus; Lupus Erythematosus, Systemic|0961-2033|Bimonthly| |SAGE PUBLICATIONS LTD +10692|Lurralde| |0211-5891|Annual| |INST GEOGRAFICO VASCO ANDRES URDANETA +10693|Luscinia| |0024-7391|Annual| |VOGELKUNDLICHE BEOBACHTUNGSSTATION UNTERMAIN E V +10694|Luso-Brazilian Review| |0024-7413|Semiannual| |UNIV WISCONSIN PRESS +10695|Lutra| |0024-7634|Tri-annual| |VERENIGING VOOR ZOOGDIERKUNDE EN ZOOGDIERBESCHERMING-VZZ +10696|LWT-Food Science and Technology|Agricultural Sciences / Food industry and trade; Levensmiddelen; Technologie / Food industry and trade; Levensmiddelen; Technologie|0023-6438|Monthly| |ELSEVIER SCIENCE BV +10697|Lymphatic Research and Biology|Lymphatics; Lymphatic System; Lymphatic Diseases; Research|1539-6851|Quarterly| |MARY ANN LIEBERT INC +10698|Lymphology|Clinical Medicine|0024-7766|Quarterly| |LYMPHOLOGY +10699|Lynx-Prague| |0024-7774|Irregular| |NARODNI MUZEUM +10700|Lyonia| |0888-9619|Irregular| |HAROLD L LYON ARBORETUM +10701|Lyriocephalus| |1391-0833|Semiannual| |AMPHIB REPT RES ORG SRI LANKA +10702|M S-Medecine Sciences|Clinical Medicine|0767-0974|Monthly| |EDITIONS EDK +10703|M&SOM-Manufacturing & Service Operations Management|Industrial management; Manufacturing industries; Service industries; Production management; Productiemanagement; Operations research / Industrial management; Manufacturing industries; Service industries; Production management; Productiemanagement; Operat|1523-4614|Quarterly| |INFORMS +10704|M&T - Manuales y Tesis Sea| |1576-9526|Irregular| |SOC ENTOMOLOGICA ARAGONESA +10705|M3M Monografias Tercer Milenio| | |Irregular| |SOC ENTOMOLOGICA ARAGONESA +10706|mAbs|Immunology /|1942-0862|Bimonthly| |LANDES BIOSCIENCE +10707|Macedonian Journal of Chemistry and Chemical Engineering|Chemistry|1857-5552|Semiannual| |SOC CHEMISTS TECHNOLOGISTS MADECONIA +10708|Machine Learning|Engineering / Machine learning; Machine-learning; Apprentissage automatique|0885-6125|Monthly| |SPRINGER +10709|Machine Vision and Applications|Engineering / Computer vision; Image processing|0932-8092|Bimonthly| |SPRINGER +10710|Machining Science and Technology|Engineering / Machining|1091-0344|Quarterly| |TAYLOR & FRANCIS INC +10711|Macroeconomic Dynamics|Economics & Business / Macroeconomics|1365-1005|Bimonthly| |CAMBRIDGE UNIV PRESS +10712|Macromolecular Bioscience|Biology & Biochemistry / Macromolecules; Biomedical materials; Biopolymers; Macromolecular Systems; Biological Sciences|1616-5187|Monthly| |WILEY-V C H VERLAG GMBH +10713|Macromolecular Chemistry and Physics|Chemistry / Polymers; Polymerization; Synthetic products; Macromolecules; Polymeren|1022-1352|Semimonthly| |WILEY-V C H VERLAG GMBH +10714|Macromolecular Materials and Engineering|Engineering / Plastics; Polymers; Polymerization|1438-7492|Monthly| |WILEY-V C H VERLAG GMBH +10715|Macromolecular Rapid Communications|Chemistry / Macromolecules; Polymers; Chemistry; Polymeren|1022-1336|Semimonthly| |WILEY-V C H VERLAG GMBH +10716|Macromolecular Reaction Engineering|Chemistry / Polymers; Polymerization; Chemical reactions; Rearrangements (Chemistry)|1862-832X|Monthly| |WILEY-V C H VERLAG GMBH +10717|Macromolecular Research|Chemistry /|1598-5032|Bimonthly| |SPRINGER +10718|Macromolecular Symposia|Chemistry / Macromolecules; Polymers; Polymerization; Macromoleculen; Synthetische polymeren|1022-1360|Monthly| |WILEY-V C H VERLAG GMBH +10719|Macromolecular Theory and Simulations|Chemistry / Macromolecules; Polymers; Polymerization|1022-1344|Monthly| |WILEY-V C H VERLAG GMBH +10720|Macromolecules|Chemistry / Macromolecules; Polymers; Polymerization; Macromoleculen; Chemie|0024-9297|Biweekly| |AMER CHEMICAL SOC +10721|Madera Y Bosques|Plant & Animal Science|1405-0471|Tri-annual| |INST ECOLOGIA A C +10722|Maderas-Ciencia Y Tecnologia|Materials Science|0717-3644|Tri-annual| |UNIV BIO-BIO +10723|Madoqua| |1011-5498|Semiannual| |MINISTRY ENVIRONMENT & TOURISM +10724|Madroño|Plants|0024-9637|Quarterly| |CALIFORNIA BOTANICAL SOC INC +10725|Maejo International Journal of Science and Technology|Multidisciplinary|1905-7873|Tri-annual| |MAEJO UNIV +10726|Maerkische Entomologische Nachrichten| |1438-9665|Semiannual| |LANDESFACHAUSSCHUSS-LFA-ENTOMOLOGIE BERLIN-BRANDENBURG IM NATURSCHUTZBUN +10727|Magallania|Social Sciences, general|0718-0209|Semiannual| |UNIV MAGALLANES +10728|Magazine Antiques| |0161-9284|Monthly| |BRANT PUBL +10729|Magazine of Concrete Research|Materials Science / Concrete construction; Concrete|0024-9831|Bimonthly| |THOMAS TELFORD PUBLISHING +10730|Maghreb-Machrek|Social Sciences, general|1762-3162|Quarterly| |INST EUROPEEN GEOECONOMIE +10731|Magnesium Research|Biology & Biochemistry|0953-1424|Quarterly| |JOHN LIBBEY EUROTEXT LTD +10732|Magnetic Resonance Imaging|Clinical Medicine / Magnetic resonance imaging; Magnetic Resonance Spectroscopy; Magnetic Resonance Imaging|0730-725X|Monthly| |ELSEVIER SCIENCE INC +10733|Magnetic Resonance Imaging Clinics of North America|Clinical Medicine / Magnetic resonance imaging; Magnetic Resonance Imaging; Therapieën|1064-9689|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +10734|Magnetic Resonance in Chemistry|Engineering / Nuclear magnetic resonance spectroscopy; Chemistry, Organic; Magnetic resonance; Magnetic Resonance Spectroscopy|0749-1581|Monthly| |JOHN WILEY & SONS LTD +10735|Magnetic Resonance in Medicine|Clinical Medicine / Nuclear magnetic resonance; Electron paramagnetic resonance; Magnetic Resonance Spectroscopy|0740-3194|Monthly| |JOHN WILEY & SONS INC +10736|Magnetic Resonance Materials in Physics Biology and Medicine|Biology & Biochemistry / Magnetic resonance imaging; Magnetic resonance; Magnetic Resonance Spectroscopy / Magnetic resonance imaging; Magnetic resonance; Magnetic Resonance Spectroscopy / Magnetic resonance imaging; Magnetic resonance; Magnetic Resonanc|0968-5243|Bimonthly| |SPRINGER +10737|Magnetohydrodynamics|Geosciences / Magnétohydrodynamique|0024-998X|Quarterly| |UNIV LATVIA INST PHYSICS +10738|Magnt Research Report| |1444-8939|Irregular| |MUSEUM & ART GALLERY NORTHERN TERRITORY +10739|Magyar Allatorvosok Lapja|Plant & Animal Science|0025-004X|Monthly| |MEZOGAZDA KIADO KFT +10740|Maia-Rivista Di Letterature Classiche| |0025-0538|Tri-annual| |CAPPELLI EDITORE +10741|Main Group Chemistry|Chemistry /|1024-1221|Quarterly| |TAYLOR & FRANCIS LTD +10742|Main Group Metal Chemistry|Chemistry|0334-7575|Bimonthly| |FREUND PUBLISHING HOUSE LTD +10743|Maine Agricultural and Forest Experiment Station Technical Bulletin| |1070-1524| | |MAINE AGRICULTURAL FOREST EXPERIMENT STATION +10744|Mainzer Geowissenschaftliche Mitteilungen| |0340-4404|Annual| |GEOLOGISCHES LANDESAMT RHEINLAND-PFALZ +10745|Mainzer Naturwissenschaftliches Archiv| |0542-1535|Annual| |NATURHISTORISCHES MUSEUM-MAINZ +10746|Majalah Farmasi Indonesia| |0126-1037|Quarterly| |UNIV GAJAH MADA +10747|Makedonska Akademija Na Naukite I Umetnostite Oddelenie Za Bioloshki I Meditsinski Nauki Prilozi| |0351-3254|Annual| |MACEDONIAN ACAD SCIENCES ARTS +10748|Makropode| |0937-177X|Bimonthly| |INT GEMEINSCHAFT LABYRINTHFISCHE-IGL +10749|Makunagi| |0917-4710|Irregular| |SOC DIPTEROLOGICA +10750|Malaco| |1778-3941|Annual| |ASSOC CARACOL +10751|Malacofauna Balearica| | | | |UNIV ILES BALEARS +10752|Malacologia|Plant & Animal Science /|0076-2997|Semiannual| |INST MALACOL +10753|Malacologia Mostra Mondiale| |1121-1873|Quarterly| |MOSTRA MONDIALE MALACOLOGIA +10754|Malacologica Bohemoslovaca| |1336-6939|Annual| |SLOVAK ACAD SCIENCES +10755|Malacological Review| |0076-3004|Irregular| |SOC EXPERIMENTAL & DESCRIPTIVE MALACOLOGY +10756|Malacological Society of Australasia Newsletter| | | | |MALACOLOGICAL SOC AUSTRALASIA LTD +10757|Malakologiai Tajekoztato| |0230-0648|Annual| |MATRA MUZEUM +10758|Malaria Journal|Clinical Medicine / Malaria|1475-2875|Irregular| |BIOMED CENTRAL LTD +10759|Malawi Medical Journal|Clinical Medicine|1995-7262|Quarterly| |MED COLL MALAWI +10760|Malayan Nature Journal| |0025-1291|Quarterly| |MALAYSIAN NATURE SOC +10761|Malaysian Applied Biology| |0126-8643|Semiannual| |MALAYSIAN SOC APPLIED BIOLOGY +10762|Malaysian Journal of Computer Science| |0127-9084|Semiannual| |UNIV MALAYA +10763|Malaysian Journal of Library & Information Science|Social Sciences, general|1394-6234|Semiannual| |UNIV MALAYA +10764|Malaysian Naturalist| |1511-970X|Quarterly| |MALAYSIAN NATURE SOC +10765|Malimbus| |0331-3689|Semiannual| |WEST AFRICAN ORNITHOLOGICAL SOC +10766|Mammal Review|Plant & Animal Science / Mammals|0305-1838|Quarterly| |WILEY-BLACKWELL PUBLISHING +10767|Mammal Study|Plant & Animal Science / Mammals|1343-4152|Semiannual| |MAMMALOGICAL SOC JAPAN +10768|Mammalia|Plant & Animal Science / Mammals; Zoology|0025-1461|Quarterly| |WALTER DE GRUYTER & CO +10769|Mammalian Biology|Plant & Animal Science / Mammals; Zoogdieren|1616-5047|Bimonthly| |ELSEVIER GMBH +10770|Mammalian Genome|Molecular Biology & Genetics / Mammals; Genomes; Mice; Human genetics; Genome, Human; Genomic Library|0938-8990|Monthly| |SPRINGER +10771|Mammalian Species|Mammals|0076-3519|Irregular| |AMER SOC MAMMALOGISTS +10772|Man|Anthropology|0025-1496|Quarterly| |ROYAL ANTHROPOLOGICAL INST +10773|Man in India|Social Sciences, general|0025-1569|Semiannual| |MAN INDIA PUB +10774|Mana-Estudos de Antropologia Social|Social Sciences, general / Ethnology; Ethnologie|0104-9313|Semiannual| |UNIV FEDERAL DO RIO JANEIRO +10775|Managed Care Interface| |1096-5645|Monthly| |MEDICOM INT +10776|Managed Healthcare Executive| |1533-9300|Monthly| |ADVANSTAR COMMUNICATIONS INC +10777|Management Accounting Research|Managerial accounting|1044-5005|Quarterly| |ELSEVIER SCIENCE BV +10778|Management and Organization Review|Economics & Business / Management|1740-8776|Tri-annual| |WILEY-BLACKWELL PUBLISHING +10779|Management Communication Quarterly|Economics & Business / Communication in management|0893-3189|Quarterly| |SAGE PUBLICATIONS INC +10780|Management Decision|Economics & Business / Management|0025-1747|Monthly| |EMERALD GROUP PUBLISHING LIMITED +10781|Management International Review|Economics & Business / Management|0938-8249|Bimonthly| |GABLER VERLAG +10782|Management Learning|Economics & Business / Industrial management; Business education; Executives; Management development; Gestion d'entreprise|1350-5076|Quarterly| |SAGE PUBLICATIONS LTD +10783|Management of Biological Invasions| |1989-8649|Semiannual| |ELIAS D DANA +10784|Management Science|Economics & Business / Management science; Management; Wetenschappelijke technieken; Sciences de la gestion; MANAGEMENT; BUSINESS MANAGEMENT; OPERATIONS RESEARCH|0025-1909|Monthly| |INFORMS +10785|Managing Service Quality|Customer services; Service industries|0960-4529|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +10786|Manchester School|Economics & Business / Economics; Social sciences|1463-6786|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10787|Manejo Integrado de Plagas| |1016-0469|Quarterly| |CATIE +10788|Mankind Quarterly|Social Sciences, general|0025-2344|Quarterly| |SCOTT-TOWNSEND PUBLISHERS +10789|Manouria| |1422-4542|Quarterly| |MANOURIA EDITIONES +10790|Manual Therapy|Social Sciences, general / Manipulation (Therapeutics); Physical therapy; Neuromuscular diseases; Manipulation, Orthopedic; Musculoskeletal Diseases; Neuromuscular Diseases; Physical Therapy Techniques; Manuele therapie|1356-689X|Quarterly| |CHURCHILL LIVINGSTONE +10791|Manuales Tecnicos de Museologia| | |Irregular| |MUSEO NACIONAL DE CIENCIAS NATURALES +10792|Manufacturing Engineering|Engineering|0361-0853|Monthly| |SOC MANUFACTURING ENGINEERS +10793|manuscripta mathematica|Mathematics / Mathematics|0025-2611|Monthly| |SPRINGER +10794|Mapan-Journal of Metrology Society of India|Geosciences /|0970-3950|Quarterly| |METROLOGY SOC INDIA +10795|Mare Magnum| |1676-5788|Semiannual| |SOC AMIGOS MUSEU OCEANOGRAFICO VALE ITAJAI +10796|Margaritifera| | |Irregular| |SYLVAIN VRIGNAUD +10797|Marginata| | |Quarterly| |NATUR TIER - VERLAG +10798|Marina Mesopotamica Online| |1815-2058|Semiannual| |UNIV BASRAH +10799|Marine and Coastal Fisheries| |1942-5120|Annual| |AMER FISHERIES SOC +10800|Marine and Freshwater Behaviour and Physiology|Plant & Animal Science / Marine animals; Freshwater animals; Marine biology; Aquatic animals|1023-6244|Quarterly| |TAYLOR & FRANCIS LTD +10801|Marine and Freshwater Research|Plant & Animal Science / Oceanography; Marine biology; Water; Zeeën; Océanographie; Biologie marine|1323-1650|Bimonthly| |CSIRO PUBLISHING +10802|Marine and Petroleum Geology|Geosciences / Submarine geology; Petroleum; Aardolie; Mariene geologie; MARINE GEOLOGY; PETROLEUM GEOLOGY; GEOPHYSICS; GEOCHEMISTRY|0264-8172|Monthly| |ELSEVIER SCI LTD +10803|Marine Biodiversity| |1867-1616|Irregular| |SPRINGER HEIDELBERG +10804|Marine Biological Association of the United Kingdom Occasional Publication| |0260-2784|Irregular| |MARINE BIOLOGICAL ASSOC UNITED KINGDOM +10805|Marine Biology|Plant & Animal Science / Marine biology; Marine Biology|0025-3162|Monthly| |SPRINGER +10806|Marine Biology Research|Plant & Animal Science / Marine biology; Marine Biology|1745-1000|Bimonthly| |TAYLOR & FRANCIS AS +10807|Marine Biotechnology|Plant & Animal Science / Marine biotechnology; Marine biology; Molecular biology; Biotechnology; Marine Biology; Molecular Biology|1436-2228|Bimonthly| |SPRINGER +10808|Marine Chemistry|Geosciences / Chemical oceanography|0304-4203|Monthly| |ELSEVIER SCIENCE BV +10809|Marine Drugs|Pharmacology & Toxicology /|1660-3397|Quarterly| |MDPI AG +10810|Marine Ecology-An Evolutionary Perspective|Environment/Ecology / Marine ecology|0173-9565|Quarterly| |WILEY-BLACKWELL PUBLISHING +10811|Marine Ecology Progress Series|Environment/Ecology / Marine ecology; Mariene ecologie; Écologie marine|0171-8630|Monthly|http://www.int-res.com/journals/meps/meps-home/|INTER-RESEARCH +10812|Marine Environment and Health Series-Dublin| |1649-0053|Irregular| |MARINE INST +10813|Marine Environmental Research|Environment/Ecology / Marine pollution; Marine ecology; Marine Biology; Ecosystem; Environmental Health; Water Pollutants; Water Pollution|0141-1136|Monthly| |ELSEVIER SCI LTD +10814|Marine Environmental Science| |1004-1281|Quarterly| |OCEAN PRESS +10815|Marine Fisheries| |1004-2490|Quarterly| |MARINE FISHERIES +10816|Marine Fisheries Review| |0090-1830|Quarterly| |US GOVERNMENT PRINTING OFFICE +10817|Marine Genomics| |1874-7787|Quarterly| |ELSEVIER SCIENCE BV +10818|Marine Geodesy|Geosciences / Marine geodesy; Géodésie marine|0149-0419|Quarterly| |TAYLOR & FRANCIS INC +10819|Marine Geology|Geosciences / Submarine geology|0025-3227|Monthly| |ELSEVIER SCIENCE BV +10820|Marine Geology & Quaternary Geology|Submarine geology; Geology, Stratigraphic|0256-1492|Quarterly| |CHINA INT BOOK TRADING CORP +10821|Marine Geophysical Researches|Geosciences / Marine geophysics; Oceanografie; Geofysica|0025-3235|Quarterly| |SPRINGER +10822|Marine Georesources & Geotechnology|Geosciences / Marine mineral resources; MARINE MINERAL RESOURCES; MARINE GEOLOGY; MARINE GEOPHYSICS; SEABED / Marine mineral resources; MARINE MINERAL RESOURCES; MARINE GEOLOGY; MARINE GEOPHYSICS; SEABED|1064-119X|Quarterly| |TAYLOR & FRANCIS INC +10823|Marine Life| |1168-3430|Semiannual| |INST OCEANOGRAPHIQUE PAUL RICARD +10824|Marine Mammal Science|Plant & Animal Science / Marine mammals; Marine mammals, Fossil; Mammifères marins|0824-0469|Quarterly| |WILEY-BLACKWELL PUBLISHING +10825|Marine Micropaleontology|Geosciences / Micropaleontology|0377-8398|Monthly| |ELSEVIER SCIENCE BV +10826|Marine Ornithology| |1018-3337|Semiannual| |AFRICAN SEABIRD GROUP +10827|Marine Policy|Social Sciences, general / Marine resources; Fisheries|0308-597X|Bimonthly| |ELSEVIER SCI LTD +10828|Marine Pollution Bulletin|Environment/Ecology / Marine pollution; Marine Biology; Water Pollution|0025-326X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +10829|Marine Resource Economics|Economics & Business|0738-1360|Quarterly| |MRE FOUNDATION +10830|Marine Sanctuaries Conservation Series| | |Irregular| |OFF NATL MARINE SANCTUARIES +10831|Marine Science Bulletin-Beijing| |1000-9620|Semiannual| |NATL MARINE DATA INFORMATION SERVICE +10832|Marine Science Bulletin-Tianjin| |1001-6392|Bimonthly| |MARINE SCIENCE BULLETIN +10833|Marine Sciences| |1000-3096|Monthly| |MARINE SCIENCES +10834|Marine Structures|Engineering / Naval architecture; Offshore structures|0951-8339|Quarterly| |ELSEVIER SCI LTD +10835|Marine Technology Society Journal|Engineering /|0025-3324|Bimonthly| |MARINE TECHNOLOGY SOC INC +10836|Marine Turtle Newsletter| |0839-7708|Quarterly| |MARINE TURTLE NEWSLETTER +10837|Mariners Mirror| |0025-3359|Quarterly| |SOC NAUTICAL RESEARCH +10838|Marketing Health Services| |1094-1304|Quarterly| |AMER MARKETING ASSOC +10839|Marketing Letters|Economics & Business / Marketing research|0923-0645|Quarterly| |SPRINGER +10840|Marketing Research| |1040-8460|Quarterly| |AMER MARKETING ASSOC +10841|Marketing Science|Economics & Business / Marketing|0732-2399|Quarterly| |INFORMS +10842|Marketing Theory|Economics & Business / Marketing|1470-5931|Quarterly| |SAGE PUBLICATIONS INC +10843|Marriage and Family Living|Family; Marriage; Social problems| |Irregular| |DUMMY PUBLISHER FOR 1976 CROSSREFERENCE RECORDS. +10844|Martinia| |0297-0902|Quarterly| |MARTINIA +10845|Maryland Birdlife| |0147-9725|Quarterly| |MARYLAND ORNITHOLOGICAL SOC +10846|Maryland Naturalist| |0096-4158|Semiannual| |NATURAL HISTORY SOC MARYLAND +10847|Mass Communication and Society|Social Sciences, general / Mass media; Mass media and culture; Communication; Communication and culture; Journalism|1520-5436|Quarterly| |ROUTLEDGE JOURNALS +10848|Mass Spectrometry Reviews|Engineering / Mass spectrometry; Spectrum Analysis, Mass|0277-7037|Bimonthly| |JOHN WILEY & SONS INC +10849|Massachusetts Review| |0025-4878|Quarterly| |UNIV MASSACHUSETTS MASSACHUSETTS REVIEW +10850|Master Drawings| |0025-5025|Quarterly| |MASTER DRAWINGS ASSOC INC +10851|Mastozoologia Neotropical| |0327-9383|Semiannual| |SOC ARGENTINA PARA ESTUDIO MAMIFEROS-SAREM +10852|Match-Communications in Mathematical and in Computer Chemistry|Chemistry|0340-6253|Bimonthly| |UNIV KRAGUJEVAC +10853|Materia-Rio de Janeiro|Materials Science / Materials science; Materials|1517-7076|Quarterly| |UNIV FED RIO DE JANEIRO +10854|Material Religion|Art and religion; Religion; Religious articles; Godsdienst; Materiële cultuur; Religieuze symboliek|1743-2200|Tri-annual| |BERG PUBL +10855|Materiale Plastice|Materials Science|0025-5289|Quarterly| |CHIMINFORM DATA S A +10856|Materiales de Construcción|Materials Science /|0465-2746|Quarterly| |INST CIENCIAS CONSTRUCCION EDUARDO TORROJA +10857|Materiali in Tehnologije|Materials Science|1580-2949|Bimonthly| |INST ZA KOVINSKE MATERIALE I IN TEHNOLOGIE +10858|Materials & Design|Materials Science / Materials / Materials|0261-3069|Bimonthly| |ELSEVIER SCI LTD +10859|Materials and Corrosion-Werkstoffe und Korrosion|Materials Science / / /|0947-5117|Monthly| |WILEY-V C H VERLAG GMBH +10860|Materials and Manufacturing Processes|Materials Science / Manufacturing processes; Materials|1042-6914|Bimonthly| |TAYLOR & FRANCIS INC +10861|Materials and Structures|Materials Science / Dwellings; Materials; Concrete; Testing laboratories|1359-5997|Monthly| |SPRINGER +10862|Materials at High Temperatures|Materials Science / Materials at high temperatures; High temperatures|0960-3409|Quarterly| |SCIENCE REVIEWS 2000 LTD +10863|Materials Characterization|Materials Science / Metallography; Métallographie; Matériaux|1044-5803|Monthly| |ELSEVIER SCIENCE INC +10864|Materials Chemistry and Physics|Materials Science / Chemistry, Technical|0254-0584|Monthly| |ELSEVIER SCIENCE SA +10865|Materials Evaluation|Materials Science|0025-5327|Monthly| |AMER SOC NONDESTRUCTIVE TEST +10866|Materials Letters|Materials Science / Materials|0167-577X|Semimonthly| |ELSEVIER SCIENCE BV +10867|Materials Performance|Materials Science|0094-1492|Monthly| |NATL ASSOC CORROSION ENG +10868|Materials Research Bulletin|Materials Science / Materials; Crystal growth|0025-5408|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +10869|Materials Research Innovations|Materials Science / Materials / Materials|1432-8917|Quarterly| |MANEY PUBLISHING +10870|Materials Research-Ibero-American Journal of Materials|Materials Science / Materials science|1516-1439|Quarterly| |UNIV FED SAO CARLOS +10871|Materials Science|Materials Science / Materials|1068-820X|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +10872|Materials Science & Engineering C-Materials for Biological Applications|Materials Science / Materials science; Materials; Biomimetics|0928-4931|Bimonthly| |ELSEVIER SCIENCE BV +10873|Materials Science & Engineering R-Reports|Materials Science / Materials|0927-796X|Irregular| |ELSEVIER SCIENCE SA +10874|Materials Science and Engineering A-Structural Materials Properties Microstructure and Processing|Materials Science / Materials; Matériaux|0921-5093|Semimonthly| |ELSEVIER SCIENCE SA +10875|Materials Science and Engineering B-Advanced Functional Solid-State Materials|Materials Science / Materials; Semiconductors|0921-5107|Semimonthly| |ELSEVIER SCIENCE BV +10876|Materials Science and Technology|Materials Science / Materials; Metals|0267-0836|Monthly| |MANEY PUBLISHING +10877|Materials Science in Semiconductor Processing|Materials Science / Semiconductors; Integrated circuits|1369-8001|Bimonthly| |ELSEVIER SCI LTD +10878|Materials Science-Medziagotyra|Materials Science|1392-1320|Quarterly| |KAUNAS UNIV TECH +10879|Materials Science-Poland|Materials Science|0137-1339|Quarterly| |OFICYNA WYDAWNICZA POLITECHNIKI WROCLAWSKIEJ +10880|Materials Technology|Materials Science / Materials; Materials science|1066-7857|Quarterly| |MANEY PUBLISHING +10881|Materials Testing-Materials and Components Technology and Application|Materials Science|0025-5300|Monthly| |CARL HANSER VERLAG +10882|Materials Today|Materials Science / Materials science; Metallurgy; Metal-work; Métallurgie; Métaux, Travail des; Materiaalkunde|1369-7021|Monthly| |ELSEVIER SCI LTD +10883|MATERIALS TRANSACTIONS|Materials Science / Metallurgy; Metals; Materials|1345-9678|Monthly| |JAPAN INST METALS +10884|Materials World|Materials Science|0967-8638|Monthly| |I O M COMMUNICATIONS LTD INST MATERIALS +10885|Materialwissenschaft und Werkstofftechnik|Materials Science / Materials|0933-5137|Monthly| |WILEY-V C H VERLAG GMBH +10886|Materiaux Orthopteriques et Entomocenotiques| |1764-6308|Annual| |ASSOC CARACTER ETUD ENTOMOCENOSES-ASCETE +10887|Maternal and Child Health Journal|Clinical Medicine / Child health services; Maternal health services; Child Health Services; Child Welfare; Maternal Health Services; Maternal Welfare|1092-7875|Quarterly| |SPRINGER/PLENUM PUBLISHERS +10888|Maternal and Child Nutrition|Agricultural Sciences / Infants; Pregnancy; Breastfeeding; Child Nutrition; Maternal Nutrition / Infants; Pregnancy; Breastfeeding; Child Nutrition; Maternal Nutrition|1740-8695|Quarterly| |WILEY-BLACKWELL PUBLISHING +10889|Mathematica Scandinavica|Mathematics|0025-5521|Quarterly| |MATEMATISK INST +10890|Mathematica Slovaca|Mathematics / Mathematics|0139-9918|Bimonthly| |VERSITA +10891|Mathematical & Computational Applications|Mathematics|1300-686X|Tri-annual| |ASSOC SCI RES +10892|Mathematical and Computer Modelling|Engineering / Mathematical models; Simulation methods|0895-7177|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +10893|Mathematical and Computer Modelling of Dynamical Systems|Mathematics /|1387-3954|Bimonthly| |TAYLOR & FRANCIS INC +10894|Mathematical Biosciences|Mathematics / Biomathematics|0025-5564|Monthly| |ELSEVIER SCIENCE INC +10895|Mathematical Biosciences and Engineering|Mathematics /|1547-1063|Quarterly| |AMER INST MATHEMATICAL SCIENCES +10896|Mathematical Communications|Mathematics|1331-0623|Semiannual| |UNIV OSIJEK +10897|Mathematical Finance|Economics & Business / Business mathematics|0960-1627|Quarterly| |WILEY-BLACKWELL PUBLISHING +10898|Mathematical Geosciences|Geosciences /|1874-8961|Bimonthly| |SPRINGER HEIDELBERG +10899|Mathematical Inequalities & Applications|Mathematics|1331-4343|Quarterly| |ELEMENT +10900|Mathematical Intelligencer|Mathematics / Mathematics; Wiskunde; Mathématiques|0343-6993|Quarterly| |SPRINGER +10901|Mathematical Logic Quarterly|Mathematics / Mathematics; Logic, Symbolic and mathematical; Mathématiques; Logique symbolique et mathématique / Mathematics; Logic, Symbolic and mathematical; Wiskundige logica|0942-5616|Bimonthly| |WILEY-V C H VERLAG GMBH +10902|Mathematical Medicine and Biology-A Journal of the Ima|Mathematics / Biomathématiques; Médecine; Biology; Mathematics; Medicine; Biomathematics|1477-8599|Quarterly| |OXFORD UNIV PRESS +10903|Mathematical Methods in the Applied Sciences|Mathematics / Mathematics; Technology|0170-4214|Semimonthly| |JOHN WILEY & SONS LTD +10904|Mathematical Methods of Operations Research|Engineering / Operations research / Operations research / Operations research|1432-2994|Bimonthly| |SPRINGER HEIDELBERG +10905|Mathematical Modelling and Analysis|Mathematics / Mathematical models; Mathematical analysis|1392-6292|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +10906|Mathematical Models & Methods in Applied Sciences|Mathematics / Mathematical models; Numerical analysis|0218-2025|Monthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +10907|Mathematical Notes|Mathematics / / Mathematics; Mathématiques|0001-4346|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +10908|Mathematical Physics Analysis and Geometry|Mathematics / Mathematical physics; Mathematical analysis; Geometry, Differential; Mathematics|1385-0172|Quarterly| |SPRINGER +10909|Mathematical Population Studies|Mathematics / Demography|0889-8480|Quarterly| |TAYLOR & FRANCIS INC +10910|Mathematical Problems in Engineering|Engineering / Engineering mathematics|1024-123X|Bimonthly| |HINDAWI PUBLISHING CORPORATION +10911|Mathematical Proceedings of the Cambridge Philosophical Society|Mathematics / Mathematics|0305-0041|Bimonthly| |CAMBRIDGE UNIV PRESS +10912|Mathematical Programming|Mathematics / Programming (Mathematics); Mathematical optimization; Mathematische programmering|0025-5610|Monthly| |SPRINGER +10913|Mathematical Reports|Mathematics|1582-3067|Quarterly| |EDITURA ACAD ROMANE +10914|Mathematical Research Letters|Mathematics|1073-2780|Quarterly| |INT PRESS BOSTON +10915|Mathematical Social Sciences|Economics & Business / Mathematical sociology|0165-4896|Bimonthly| |ELSEVIER SCIENCE BV +10916|Mathematical Structures in Computer Science|Computer Science / Computer science|0960-1295|Bimonthly| |CAMBRIDGE UNIV PRESS +10917|Mathematics and Computers in Simulation|Engineering / Computer simulation; Mathematics|0378-4754|Monthly| |ELSEVIER SCIENCE BV +10918|Mathematics and Mechanics of Solids|Engineering / Strength of materials; Solids|1081-2865|Bimonthly| |SAGE PUBLICATIONS LTD +10919|Mathematics of Computation|Mathematics / Mathematics; Computerwiskunde; Mathématiques|0025-5718|Quarterly| |AMER MATHEMATICAL SOC +10920|Mathematics of Control Signals and Systems|Engineering / Control theory; Signal processing; System analysis / Control theory; Signal processing; System analysis|0932-4194|Quarterly| |SPRINGER LONDON LTD +10921|Mathematics of Operations Research|Mathematics / Operations research; Mathematics; Recherche opérationnelle; Mathématiques|0364-765X|Quarterly| |INFORMS +10922|Mathematische Annalen|Mathematics / Mathematics; Mathématiques|0025-5831|Monthly| |SPRINGER +10923|Mathematische Nachrichten|Mathematics / Mathematics|0025-584X|Monthly| |WILEY-V C H VERLAG GMBH +10924|Mathematische Zeitschrift|Mathematics / Mathematics; Mathématiques|0025-5874|Monthly| |SPRINGER +10925|Matrix Biology|Biology & Biochemistry / Collagen; Connective tissues; Connective Tissue; Extracellular Matrix|0945-053X|Bimonthly| |ELSEVIER SCIENCE BV +10926|Maturitas|Clinical Medicine / Climacteric; Menopause; Geriatrics; Middle Aged; Climacterium|0378-5122|Monthly| |ELSEVIER IRELAND LTD +10927|Mauges Nature Bulletin de Synthese| |1269-4592|Annual| |MAUGES NATURE +10928|Mauritiana| |0233-173X|Irregular| |NATURKUNDLICHES MUSEUM +10929|Mausam|Geosciences|0252-9416|Quarterly| |INDIA METEOROLOGICAL DEPT +10930|Maxplanckresearch| |1616-4172|Quarterly| |MAX PLANCK SOC ADVANCEMENT SCIENCE +10931|Maydica|Plant & Animal Science|0025-6153|Quarterly| |MAYDICA-IST SPER CEREALICOLTUR +10932|Mayo Clinic Proceedings|Clinical Medicine /|0025-6196|Monthly| |MAYO CLINIC PROCEEDINGS +10933|Mcgill Science Undergraduate Research Journal| |1718-0775|Semiannual| |MCGILL SCI UNDERGRADUATE RES J +10934|Mcn-The American Journal of Maternal-Child Nursing|Social Sciences, general / Maternity nursing; Pediatric nursing; Obstetrical Nursing; Pediatric Nursing; Soins infirmiers en obstétrique; Soins infirmiers en pédiatrie / Maternity nursing; Pediatric nursing; Obstetrical Nursing; Pediatric Nursing; Soins |0361-929X|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +10935|Meanjin| |0025-6293|Quarterly| |MEANJIN COMPANY LTD +10936|Measurement|Engineering / Weights and measures; Measurement|0263-2241|Bimonthly| |ELSEVIER SCI LTD +10937|Measurement & Control|Engineering|0020-2940|Monthly| |INST MEASUREMENT CONTROL +10938|Measurement and Evaluation in Counseling and Development|Psychiatry/Psychology /|0748-1756|Quarterly| |SAGE PUBLICATIONS INC +10939|Measurement Science & Technology|Engineering / Physical measurements; Physical instruments; Scientific apparatus and instruments; Equipment and Supplies; Science; Technology|0957-0233|Monthly| |IOP PUBLISHING LTD +10940|Measurement Science Review|Engineering /|1335-8871|Bimonthly| |VERSITA +10941|Measurement Techniques|Engineering / Measuring instruments; Mesure|0543-1972|Monthly| |CONSULTANTS BUREAU/SPRINGER +10942|Meat Science|Agricultural Sciences / Meat; Meat industry and trade|0309-1740|Monthly| |ELSEVIER SCI LTD +10943|Mécanique & Industries|Engineering / Mechanical engineering; Industrial engineering; Machinery|1296-2139|Bimonthly| |EDP SCIENCES S A +10944|Meccanica|Engineering / Mechanics|0025-6455|Bimonthly| |SPRINGER +10945|Mechanical Engineering|Engineering|0025-6501|Monthly| |ASME-AMER SOC MECHANICAL ENG +10946|Mechanical Systems and Signal Processing|Engineering / Structural dynamics; Vibration|0888-3270|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +10947|Mechanics Based Design of Structures and Machines|Engineering / Structural analysis (Engineering); Structural design|1539-7734|Quarterly| |TAYLOR & FRANCIS INC +10948|Mechanics of Advanced Materials and Structures|Materials Science / Composite materials; Composite construction|1537-6494|Bimonthly| |TAYLOR & FRANCIS INC +10949|Mechanics of Composite Materials|Materials Science / Polymers; Plastics; Composite materials; Fibrous composites|0191-5665|Bimonthly| |SPRINGER +10950|Mechanics of Materials|Materials Science / Strength of materials; Mechanics, Applied|0167-6636|Monthly| |ELSEVIER SCIENCE BV +10951|Mechanics of Solids|Physics / Solids|0025-6544|Bimonthly| |ALLERTON PRESS INC +10952|Mechanics of Time-Dependent Materials|Materials Science / Materials; Mechanics|1385-2000|Quarterly| |SPRINGER +10953|Mechanics Research Communications|Engineering / Mechanics, Applied|0093-6413|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +10954|Mechanika|Engineering|1392-1207|Bimonthly| |KAUNAS UNIV TECHNOL +10955|Mechanism and Machine Theory|Engineering / Mechanical engineering; Machinery|0094-114X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +10956|Mechanisms of Ageing and Development|Molecular Biology & Genetics / Aging; Developmental biology; Developmental Biology|0047-6374|Monthly| |ELSEVIER IRELAND LTD +10957|Mechanisms of Development|Molecular Biology & Genetics / Developmental biology; Molecular biology; Developmental Biology; Molecular Biology; Ontwikkelingsbiologie; Cellules; Cytologie du développement|0925-4773|Monthly| |ELSEVIER SCIENCE BV +10958|Mechatronics|Engineering / Computer integrated manufacturing systems; Flexible manufacturing systems; Mechatronics|0957-4158|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +10959|Meddelanden Fran Goteborgs Naturhistoriska Museum| |1651-131X|Irregular| |GOTEBORG NATURHISTORISKA MUSEET +10960|Meddelelser Om Gronland-Bioscience| |0106-1054|Irregular| |KOMMISSIONEN VIDENSKABELIGE UNDERSOGELSER I GRONLAND +10961|Meddelelser Om Gronland-Geoscience| |0106-1046|Irregular| |KOMMISSIONEN VIDENSKABELIGE UNDERSOGELSER I GRONLAND +10962|Meddelelser Om Gronland-Man & Society| |0106-1062|Irregular| |KOMMISSIONEN VIDENSKABELIGE UNDERSOGELSER I GRONLAND +10963|Medecin Veterinaire Du Quebec| |0225-9591|Quarterly| |MEDECIN VETERINAIRE QUEBEC +10964|Medecine et Armees| |0300-4937|Bimonthly| |ETABLISSEMENT CINEMATOGRAPHIQUE PHOTOGRAPHIQUE ARMEES +10965|Médecine et Chirurgie du Pied|Clinical Medicine / Foot; Podiatry; Chirurgie orthopédique; Pied; Podologie / Foot; Podiatry; Chirurgie orthopédique; Pied; Podologie|0759-2280|Quarterly| |SPRINGER +10966|Médecine et Maladies Infectieuses|Clinical Medicine / /|0399-077X|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +10967|Medecine Nucleaire-Imagerie Fonctionnelle et Metabolique|Clinical Medicine / Biophysics; Nuclear Medicine|0928-1258|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +10968|Media Culture & Society|Social Sciences, general / Mass media; Communication; Culture; Massamedia; Maatschappij; Cultuur; Médias; Médias et culture / Mass media; Communication; Culture; Massamedia; Maatschappij; Cultuur; Médias; Médias et culture|0163-4437|Bimonthly| |SAGE PUBLICATIONS LTD +10969|Media International Australia|Social Sciences, general|1329-878X|Quarterly| |UNIV QUEENSLAND PRESS +10970|Media Psychology|Psychiatry/Psychology / Mass media; Massamedia; Psychologische aspecten; Aspect psychologique; Mass-média; Psychologie|1521-3269|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +10971|Mediators of Inflammation|Immunology / Inflammation; Autacoids; Biological Response Modifiers; Cell Adhesion Molecules; Cell Communication; Cytokines|0962-9351|Bimonthly| |HINDAWI PUBLISHING CORPORATION +10972|Medical & Biological Engineering & Computing|Engineering / Biomedical engineering; Medicine; Biomedical Engineering; Computers; Biomedische techniek|0140-0118|Bimonthly| |SPRINGER HEIDELBERG +10973|Medical and Veterinary Entomology|Plant & Animal Science / Entomology; Veterinary entomology; Insects as carriers of disease; Insecticides|0269-283X|Quarterly| |WILEY-BLACKWELL PUBLISHING +10974|Medical Anthropology|Social Sciences, general / Medical anthropology; Anthropology; Cross-Cultural Comparison; Fysische antropologie; Anthropologie médicale; Médecine sociale; Ethnomédecine|0145-9740|Quarterly| |ROUTLEDGE JOURNALS +10975|Medical Anthropology Quarterly|Social Sciences, general / Medical anthropology; Anthropology; Medische antropologie; Anthropologie médicale; Médecine sociale; Ethnomédecine|0745-5194|Quarterly| |WILEY-BLACKWELL PUBLISHING +10976|Medical Bulletin of Fukuoka University| |0385-9347|Quarterly| |FUKUOKA UNIV +10977|Medical Care|Social Sciences, general / Medical economics; Insurance, Health; Comprehensive Health Care; Personal Health Services; Gezondheidszorg; Économie de la santé; Santé, Services de|0025-7079|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +10978|Medical Care Research and Review|Social Sciences, general / Medical care; Medical economics; Delivery of Health Care; Economics, Medical; Health Services Research|1077-5587|Bimonthly| |SAGE PUBLICATIONS INC +10979|Medical Clinics of North America|Clinical Medicine / Clinical medicine; Medicine; Geneeskunde; Médecine clinique|0025-7125|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +10980|Medical Decision Making|Clinical Medicine / Clinical medicine; Decision Making; Medicine|0272-989X|Bimonthly| |SAGE PUBLICATIONS INC +10981|Medical Device Technology| |1048-6690|Monthly| |ADVANSTAR COMMUNICATIONS INC +10982|Medical Dosimetry|Clinical Medicine / Radiation dosimetry; Radiotherapy|0958-3947|Quarterly| |ELSEVIER SCIENCE INC +10983|Medical Education|Clinical Medicine / Medical education; Education, Medical|0308-0110|Bimonthly| |WILEY-BLACKWELL PUBLISHING +10984|Medical Education-Us| |0737-3805| | |ASSOC AMER MEDICAL COLLEGES +10985|Medical Engineering & Physics|Clinical Medicine / Biomedical engineering; Biomedical Engineering; Physics; Medische fysica|1350-4533|Monthly| |ELSEVIER SCI LTD +10986|Medical Entomology and Zoology| |0424-7086|Quarterly| |JAPAN SOC MEDICAL ENTOMOLOGY & ZOOLOGY +10987|Medical History|Clinical Medicine|0025-7273|Quarterly| |PROF SCI PUBL +10988|Medical Humanities|Medicine and the humanities; Medical ethics; Médecine et sciences humaines; Éthique médicale; Ethics, Medical; Humanities; Medicine in Literature; Medische ethiek|1468-215X|Semiannual| |B M J PUBLISHING GROUP +10989|Medical Hypotheses|Clinical Medicine / Medicine; Research; Médecine|0306-9877|Monthly| |CHURCHILL LIVINGSTONE +10990|Medical Image Analysis|Computer Science / Imaging systems in medicine; Image processing; Computer vision; Diagnostic Imaging; Image Processing, Computer-Assisted|1361-8415|Quarterly| |ELSEVIER SCIENCE BV +10991|Medical Journal of Australia|Clinical Medicine|0025-729X|Semimonthly| |AUSTRALASIAN MED PUBL CO LTD +10992|Medical Journal of Kagoshima University| |0368-5063|Quarterly| |KAGOSHIMA DAIGAKU IGAKKAI-MEDICAL SOC KAGOSHIMA UNIV +10993|Medical Letter on Drugs and Therapeutics| |0025-732X|Biweekly| |MED LETTER INC +10994|Medical Microbiology and Immunology|Microbiology / Immunology; Medical microbiology; Allergy and Immunology; Communicable Diseases; Microbiology; Immunologie; Microbiologie médicale / Immunology; Medical microbiology; Allergy and Immunology; Communicable Diseases; Microbiology; Immunologie|0300-8584|Quarterly| |SPRINGER +10995|Medical Molecular Morphology|Clinical Medicine / Molecular biology; Cell physiology; Electron microscopy; Molecular Biology; Cell Physiology; Microscopy, Electron|1860-1480|Quarterly| |SPRINGER TOKYO +10996|Medical Mycology|Microbiology / Medical mycology; Veterinary mycology; Mycoses; Pathogenic fungi; Mycology|1369-3786|Bimonthly| |TAYLOR & FRANCIS LTD +10997|Medical Oncology|Clinical Medicine / Medical Oncology; Neoplasms|1357-0560|Quarterly| |HUMANA PRESS INC +10998|Medical Physics|Clinical Medicine / Medical physics; Biophysics; Geneeskunde; Natuurkunde; Toepassingen|0094-2405|Monthly| |AMER ASSOC PHYSICISTS MEDICINE AMER INST PHYSICS +10999|Medical Principles and Practice|Clinical Medicine / Medical sciences; Clinical medicine; Medicine|1011-7571|Bimonthly| |KARGER +11000|Medical Problems of Performing Artists|Clinical Medicine|0885-1158|Quarterly| |SCIENCE & MEDICINE INC +11001|Medical Reference Services Quarterly|Medicine; Reference services (Libraries); Information Services; Information Systems; Libraries, Medical; Library Services|0276-3869|Quarterly| |HAWORTH PRESS INC +11002|Medical Science Monitor|Clinical Medicine|1234-1010|Monthly| |INT SCIENTIFIC LITERATURE +11003|Medical Teacher|Clinical Medicine / Medicine; Medical education; Education, Medical|0142-159X|Bimonthly| |TAYLOR & FRANCIS LTD +11004|Medicc Review| |1555-7960|Quarterly| |MEDICC-MED EDUC COOPERATION CUBA +11005|Medicina Clínica|Clinical Medicine / Medicine|0025-7753|Weekly| |ELSEVIER DOYMA SL +11006|Medicina Del Lavoro|Clinical Medicine|0025-7818|Bimonthly| |MATTIOLI 1885 +11007|Medicina Dello Sport|Clinical Medicine|0025-7826|Quarterly| |EDIZIONI MINERVA MEDICA +11008|Medicina Intensiva| |0210-5691|Monthly| |ELSEVIER DOYMA SL +11009|Medicina Oral Patología Oral y Cirugia Bucal|Clinical Medicine /|1698-4447|Monthly| |MEDICINA ORAL S L +11010|Medicina Paliativa|Clinical Medicine|1134-248X|Quarterly| |ARAN EDICIONES +11011|Medicina Veterinaria| |0212-8292|Monthly| |PULSO EDICIONES S A +11012|Medicina Veterinaria-Recife|Plant & Animal Science|1809-4678|Semiannual| |UNIV FEDERAL RURAL PERNAMBUCO +11013|Medicina-Buenos Aires|Clinical Medicine|0025-7680|Bimonthly| |MEDICINA (BUENOS AIRES) +11014|Medicina-Lithuania|Clinical Medicine|1010-660X|Monthly| |KAUNAS UNIV MEDICINE & VILNIUS UNIV +11015|Medicina-Ribeirao Preto| |0076-6046|Quarterly| |HOSPITAL CLINICAS +11016|Medicinal Chemistry|Chemistry / Chemistry, Pharmaceutical|1573-4064|Bimonthly| |BENTHAM SCIENCE PUBL LTD +11017|Medicinal Chemistry Research|Chemistry / Pharmaceutical chemistry; Chemistry, Pharmaceutical; Drug Compounding|1054-2523|Monthly| |BIRKHAUSER BOSTON INC +11018|Medicinal Research Reviews|Pharmacology & Toxicology / Pharmacology; Drugs; Medicine|0198-6325|Bimonthly| |JOHN WILEY & SONS INC +11019|Medicine|Clinical Medicine / Medicine|0025-7974|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +11020|Medicine and Science in Sports and Exercise|Clinical Medicine / Sports medicine; Exercise; Sports; Sports Medicine; Lichamelijke inspanning; Sportgeneeskunde / Sports medicine; Exercise; Sports; Sports Medicine; Lichamelijke inspanning; Sportgeneeskunde / Sports medicine; Exercise; Sports; Sports |0195-9131|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +11021|Medicine Health Care and Philosophy|Social Sciences, general / Medicine; Bioethics; Medical ethics; Philosophy, Medical; Ethics, Medical; Geneeskunde; Filosofische aspecten; Ethische aspecten / Medicine; Bioethics; Medical ethics; Philosophy, Medical; Ethics, Medical; Geneeskunde; Filosofi|1386-7423|Quarterly| |SPRINGER +11022|Medicine Science and the Law|Social Sciences, general /|0025-8024|Quarterly| |ROYAL SOC MEDICINE PRESS LTD +11023|Medicinski Glasnik|Clinical Medicine|1840-0132|Semiannual| |MEDICAL ASSOC ZENICADOBOJ CANTON +11024|Medieval Archaeology|Middle Ages; Archaeology, Medieval; Archeologie; Middeleeuwen|0076-6097|Annual| |MANEY PUBLISHING +11025|Medieval History Journal|Middle Ages; Middeleeuwen; Moyen Âge|0971-9458|Semiannual| |SAGE PUBLICATIONS INC +11026|Mediterranea| |0210-5004|Annual| |UNIV ALICANTE +11027|Mediterranea-Ricerche Storiche| |1828-230X|Tri-annual| |MEDITERRANEA +11028|Mediterranean Archaeology & Archaeometry| |1108-9628|Semiannual| |UNIV AGEAN +11029|Mediterranean Historical Review|Social Sciences, general /|0951-8967|Semiannual| |ROUTLEDGE JOURNALS +11030|Mediterranean Journal of Mathematics|Mathematics / Mathematics|1660-5446|Quarterly| |BIRKHAUSER VERLAG AG +11031|Mediterranean Marine Science|Plant & Animal Science|1108-393X|Semiannual| |NATL CENTRE MARINE RESEARCH +11032|Mediterranean Politics|Social Sciences, general / Internationale betrekkingen; Buitenlandse politiek; REGIONAL COOPERATION; REGIONAL SECURITY; MEDITERRANEAN REGION|1362-9395|Tri-annual| |ROUTLEDGE JOURNALS +11033|Mediterraneo-Palermo| | |Irregular| |L EPOS SOC EDITRICE +11034|Meditsina Truda I Promyshlennaya Ekologiya| |1026-9428|Monthly| |INST MEDITSINY TRUDA RAMN +11035|Meditsinskaya Parazitologiya I Parazitarnye Bolezni| |0025-8326|Quarterly| |S-INFO +11036|Medium Aevum| |0025-8385|Semiannual| |SOC STUDY MEDIEVAL LANGUAGE LITERATURE +11037|Medizinische Genetik|Molecular Biology & Genetics / Bioethics; Chromosome Aberrations; Genetic Diseases, Inborn; Genetics, Medical|1863-5490|Quarterly| |SPRINGER +11038|Medizinische Klinik|Clinical Medicine / Medicine; Klinische geneeskunde|0723-5003|Monthly| |URBAN & VOGEL +11039|Medizinische Monatsschrift fur Pharmazeuten| |0342-9601|Monthly| |DEUTSCHER APOTHEKER VERLAG +11040|Medizinische Welt|Clinical Medicine|0025-8512|Monthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +11041|Medycyna Doswiadczalna I Mikrobiologia| |0025-8601|Semiannual| |PANSTWOWY ZAKLAD HIGIENY +11042|Medycyna Pracy|Clinical Medicine|0465-5893|Bimonthly| |INST MEDYCYNY PRACY +11043|Medycyna Weterynaryjna|Plant & Animal Science|0025-8628|Monthly| |POLISH SOC VETERINARY SCIENCES EDITORIAL OFFICE +11044|Meer und Museum| |0863-1131|Irregular| |DEUTSCHES MEERESMUSEUM +11045|Meereswissenschaftliche Berichte = Marine Scientific Reports| |0939-396X|Irregular| |Leibniz-Institut für Ostseeforschung Warnemünde +11046|Megadrilogica| |0380-9633|Irregular| |OLIGOCHAETOLOGY LABORATORY +11047|Meiofauna Marina| |1611-7557|Annual| |VERLAG DR FRIEDRICH PFEIL +11048|Melanargia| |0941-3170|Quarterly| |ARBEITS RHEIN WEST LEPIDOPT +11049|Mélanges de la Casa de Velázquez|Social Sciences, general /|0076-230X|Semiannual| |CASA VELAZQUEZ +11050|Melanoma Research|Clinical Medicine / Melanoma; Melanomen|0960-8931|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +11051|Melbourne University Law Review|Social Sciences, general|0025-8938|Tri-annual| |MELBOURNE UNIV LAW REVIEW ASSOC +11052|Mellifera| |1302-5821|Semiannual| |HACETTEPE UNIV BEE & BEE PRODUCTS RESEARCH & APPLICATION CENTER +11053|Membrane| |0385-1036|Bimonthly| |MEMBRANE SOC JAPAN +11054|Memoir Malacological Society of Taiwan| |2072-2281|Irregular| |MALACOLOGICAL SOC TAIWAN +11055|Memoir of the Fukui Prefectural Dinosaur Museum| |1347-5622|Irregular| |FUKUI PREFECTURAL DINOSAUR MUSEUM +11056|Memoire Accademia Delle Scienze Di Siena Detta de Fisiocritici| | |Irregular| |ACCAD FISIOCRIT SIENA +11057|Memoires de Geologie-Lausanne| |1015-3578|Irregular| |INST GEOLOGIE PALEONTOLOGIE +11058|Memoires de L Institut Oceanographique-Monaco| |0304-5714|Irregular| |MUSEE OCEANOGRAPHIQUE-SERVICE PUBLICATIONS +11059|Memoires de la Sef| |1285-5545|Irregular| |SOC ENTOMOLOGIQUE FRANCE +11060|Memoires de la Societe Geologique de France| |0249-7549|Irregular| |SOC GEOLOGIQUE FRANCE +11061|Memoires de la Societe Nationale des Sciences Naturelles et Mathematiques de Cherbourg| |0374-9231|Irregular| |SOC NATIONALE SCIENCES NATURELLES MATHEMATIQUES CHERBOURG +11062|Memoires de la Societe Royale Belge D Entomologie| |0376-2025|Irregular| |SOC ROYALE BELGE ENTOMOLOGIE +11063|Memoires de la Societe Vaudoise des Sciences Naturelles| |0037-9611|Irregular| |SOC VAUDOISE SCIENCES NATURELLES +11064|Memoires et Travaux de L Institut de Montpellier de L Ecole Pratique des Hautes Etudes| |0335-8178|Irregular| |ECOLE PRATIQUE HAUTES ETUDES +11065|Memoirs of Beijing Natural History Museum| |0256-1506|Irregular| |BEIJING NATURAL HISTORY MUSEUM +11066|Memoirs of Faculty of Agriculture Kagawa University| |0453-0764|Annual| |KAGAWA UNIV +11067|Memoirs of Faculty of Fisheries Kagoshima University| |0453-087X|Annual| |KAGOSHIMA UNIV +11068|Memoirs of Museum Victoria| |1447-2546|Semiannual| |MUSEUM VICTORIA +11069|Memoirs of National Institute of Polar Research Series E Biology and Medical Science| |0386-5541|Irregular| |NATL INST POLAR RESEARCH +11070|Memoirs of National Institute of Polar Research Special Issue| |0386-0744|Irregular| |NATL INST POLAR RESEARCH +11071|Memoirs of Osaka Kyoiku University Series III Natural Science and Applied Science| |1345-7209|Semiannual| |OSAKA KYOIKU UNIV +11072|Memoirs of the American Entomological Institute| |0065-8162|Irregular| |AMER ENTOMOLOGICAL INST +11073|Memoirs of the American Entomological Society| |0065-8170|Irregular| |AMER ENTOMOL SOC +11074|Memoirs of the American Mathematical Society|Mathematics /|0065-9266|Semimonthly| |AMER MATHEMATICAL SOC +11075|Memoirs of the College of Agriculture Ehime University| |0424-6829|Irregular| |EHIME UNIV COLL AGR +11076|Memoirs of the Entomological Society of Washington| |0096-5839|Irregular| |ENTOMOLOGICAL SOC WASHINGTON +11077|Memoirs of the Faculty of Agriculture Kagoshima University| |0453-0853|Annual| |KAGOSHIMA UNIV +11078|Memoirs of the Faculty of Agriculture of Kinki University| |0453-8889|Annual| |KINKI UNIV +11079|Memoirs of the Faculty of Education and Regional Studies University of Fukui Series Ii Natural Science| |1345-6032|Annual| |FUKUI UNIV +11080|Memoirs of the Faculty of Education Kumamoto University Natural Science| |0454-6148|Annual| |KUMAMOTO UNIV +11081|Memoirs of the Faculty of Education Shiga University Natural Science| |1342-9272|Annual| |SHIGA UNIV +11082|Memoirs of the Faculty of Science Kochi University Series D Biology| |0389-0287|Annual| |KOCHI UNIV +11083|Memoirs of the Faculty of Science Kochi University Series E Geology| |0389-0295|Annual| |KOCHI UNIV +11084|Memoirs of the Faculty of Science Kyoto University Series of Biology| |0454-7802|Irregular| |KYOTO UNIV +11085|Memoirs of the Faculty of Science Kyushu University Series D Earth and Planetary Sciences| |0916-7390|Irregular| |KYUSHU UNIV +11086|Memoirs of the Geological Survey of Belgium| |1373-4881|Irregular| |SERVICE GEOLOGIQUE BELGIQUE +11087|Memoirs of the Graduate School of Fisheries Sciences Hokkaido University| |1346-3306|Irregular| |HOKKAIDO UNIV +11088|Memoirs of the Hong Kong Natural History Society| |0441-1978|Irregular| |HONG KONG NATURAL HISTORY SOC +11089|Memoirs of the Hourglass Cruises| |0085-0683|Irregular| |FLORIDA MARINE RESEARCH INST +11090|Memoirs of the National Museum of Nature and Science| | |Annual| |NATL MUSEUM NATURE & SCIENCE +11091|Memoirs of the National Science Museum -Tokyo| |0082-4755|Annual| |NATL MUSEUM NATURE & SCIENCE +11092|Memoirs of the Nuttall Ornithological Club| | |Irregular| |NUTTALL ORNITHOLOGICAL CLUB +11093|Memoirs of the Osaka Institute of Technology Series A Science and Technology| |0375-0191|Semiannual| |OSAKA INST TECHNOLOGY +11094|Memoirs of the Queensland Museum| |0079-8835|Irregular| |QUEENSLAND MUSEUM +11095|Memoirs of the Research Faculty of Agriculture Hokkaido University| |1881-8064|Quarterly| |HOKKAIDO UNIV +11096|Memoirs of the Royal Metrological Society| | | | |ROYAL METEOROLOGICAL SOC +11097|Memoirs of the Torrey Botanical Club| |0097-3807|Irregular| |FISHER-HARRISON CORP +11098|Memoirs of the Zoological Survey of India| |0379-3540|Annual| |ZOOLOGICAL SURVEY INDIA +11099|Memoranda Societatis pro Fauna et Flora Fennica| |0373-6873|Irregular| |SOC PRO FAUNA FLORA FENNICA +11100|Memoria de la Fundacion la Salle de Ciencias Naturales| | |Semiannual| |FUNDACION LA SALLE CIENCIAS NATURALES LA SALLE +11101|Memoria Del Congreso Nacional de Paleontologia Resumenes| | |Semiannual| |SOC MEXICANA PALEONTOLOGIA +11102|Memorias de la Real Academia de Ciencias Y Artes de Barcelona| |0368-8283|Irregular| |REAL ACAD CIENCIAS ARTES BARCELONA +11103|Memorias Del Museo Paleontologico de la Universidad de Zaragoza| |0214-2023|Irregular| |UNIV ZARAGOZA +11104|Memorias Do Instituto Butantan| |0073-9901| | |INST BUTANTAN +11105|Memórias do Instituto Oswaldo Cruz|Clinical Medicine / Bacteriology; Medicine; Parasitic Diseases; Parasitology; Research|0074-0276|Bimonthly| |FUNDACO OSWALDO CRUZ +11106|Memorie Del Museo Civico Di Storia Naturale Di Verona-2 Serie-Sezione Scienze Della Vita| |0392-0097|Irregular| |MUSEO CIVICO STORIA NATURALE VERONA +11107|Memorie Del Museo Civico Di Storia Naturale Di Verona-Sezione Scienze Della Terra| |0392-0089| | |MUSEO CIVICO STORIA NATURALE VERONA +11108|Memorie Dell Associazione Naturalistica Piemontese| |1971-8209| | |MUSEO CIVICO STORIA NATURALE-CARMAGNOLA +11109|Memorie Della Societa Entomologica Italiana| |0037-8747|Annual| |SOC ENTOMOLOGICA ITALIANA +11110|Memorie Della Societa Italiana Di Scienze Naturali E Del Museo Civico Di Storia Naturale Di Milano| |0376-2726|Irregular| |SOC ITALIANA SCIENZE NATURALI +11111|Memorie Descrittive Della Carta Geologica D Italia| |0536-0242|Irregular| |IST POLIGRAFICO E ZECCA STATO +11112|Memory|Psychiatry/Psychology / Memory; Memory Disorders; Geheugen; Mémoire|0965-8211|Bimonthly| |PSYCHOLOGY PRESS +11113|Memory & Cognition|Psychiatry/Psychology / Memory; Cognition|0090-502X|Bimonthly| |PSYCHONOMIC SOC INC +11114|Men and Masculinities|Social Sciences, general / Men; Masculinity; Men's studies; Études sur les hommes|1097-184X|Quarterly| |SAGE PUBLICATIONS INC +11115|Mendel Newsletter| | |Irregular| |AMERICAN PHILOSOPHICAL SOC +11116|Mendeleev Communications|Chemistry / Chemistry|0959-9436|Bimonthly| |ELSEVIER SCIENCE BV +11117|Menopause-The Journal of the North American Menopause Society|Clinical Medicine / Menopause|1072-3714|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +11118|Mental Hygiene| |0025-9683|Quarterly| |NATL COMMITTEE MENTAL HYGIENCE +11119|Mer-Tokyo| |0503-1540|Quarterly| |SOC FRANCO-JAPONAISE D OCEANOGRAPHIE +11120|Mercian Geologist| |0025-990X|Irregular| |EAST MIDLANDS GEOLOGICAL SOC +11121|Mercuriale| |1618-9124|Annual| |SCHUTZGEMEINSCHAFT LIBELLEN BADEN-WUERTTEMBERG E V-SGL +11122|Merkur-Deutsche Zeitschrift fur Europaisches Denken| |0026-0096|Monthly| |KLETT-COTTA VERLAG +11123|Merrill-Palmer Quarterly-Journal of Developmental Psychology|Psychiatry/Psychology|0272-930X|Quarterly| |WAYNE STATE UNIV PRESS +11124|Mertensiella| |0934-6643|Irregular| |DEUTSCHE GESELLSCHAFT HERPETOLOGIE TERRARIENKUNDE E V +11125|Mesa Southwest Museum Bulletin| |1558-5212|Annual| |MESA SOUTHWEST MUSEUM +11126|Meso| |1332-0025|Quarterly| |ZADRUZNA STAMPA +11127|Mesoamericana| | |Quarterly| |SOC MESOAMERICANA BIOL CONSERVATION +11128|Mesogee| |0398-2106|Annual| |MUSEUM HISTOIRE NATURELLE MARSEILLE +11129|Mester| |0160-2764|Annual| |UNIV CALIF +11130|Meta| |0026-0452|Quarterly| |PRESSES UNIV MONTREAL +11131|Metabolic Brain Disease|Neuroscience & Behavior / Brain; Brain Diseases, Metabolic; Hersenziekten; Stofwisseling|0885-7490|Quarterly| |SPRINGER/PLENUM PUBLISHERS +11132|Metabolic Engineering|Biology & Biochemistry / Biochemical engineering; Metabolism; Biomedical Engineering; Biotechnology|1096-7176|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11133|Metabolic Syndrome and Related Disorders|Clinical Medicine / Metabolism; Endocrine glands; Metabolic Syndrome X|1540-4196|Quarterly| |MARY ANN LIEBERT INC +11134|Metabolism-Clinical and Experimental|Biology & Biochemistry / Metabolism; Stofwisseling; Stofwisselingsziekten; Métabolisme, Troubles du; Métabolisme / Metabolism; Stofwisseling; Stofwisselingsziekten; Métabolisme, Troubles du; Métabolisme / Metabolism; Stofwisseling; Stofwisselingsziekten;|0026-0495|Monthly| |W B SAUNDERS CO-ELSEVIER INC +11135|Metabolomics|Biology & Biochemistry / Metabolism; Physiology; Cell Physiology; Molecular Biology; Systems Biology|1573-3882|Quarterly| |SPRINGER +11136|Metal Science and Heat Treatment|Materials Science / Physical metallurgy; Metal-work / Physical metallurgy; Metal-work / Physical metallurgy; Metal-work|0026-0673|Bimonthly| |SPRINGER +11137|Metal-Based Drugs|Metals; Pharmaceutical chemistry; Drugs; Chemistry, Pharmaceutical; Pharmaceutical Preparations|0793-0291|Bimonthly| |HINDAWI PUBLISHING CORPORATION +11138|Metallofizika I Noveishie Tekhnologii|Materials Science|1024-1809|Monthly| |NATL ACAD SCIENCES UKRAINE +11139|Metallomics|Materials Science /|1756-5901|Bimonthly| |ROYAL SOC CHEMISTRY +11140|Metallurgia Italiana| |0026-0843|Monthly| |ASSOC ITALIANA METALLURGIA +11141|Metallurgical and Materials Transactions A-Physical Metallurgy and Materials Science|Materials Science / Physical metallurgy; Materials science|1073-5623|Monthly| |SPRINGER +11142|Metallurgical and Materials Transactions B-Process Metallurgy and Materials Processing Science|Materials Science / Metallurgy; Chemistry, Metallurgic; Materials science; Manufacturing processes; Métallurgie|1073-5615|Bimonthly| |SPRINGER +11143|Metallurgist|Materials Science / Iron industry and trade; Steel industry and trade; Metallurgie|0026-0894|Bimonthly| |SPRINGER +11144|Metals and Materials International|Materials Science / Metals; Materials|1598-9623|Bimonthly| |KOREAN INST METALS MATERIALS +11145|Metalurgia International|Materials Science|1582-2214|Bimonthly| |EDITURA STIINTIFICA FMR +11146|Metalurgija|Materials Science|0543-5846|Quarterly| |CROATIAN METALLURGICAL SOC +11147|Metamorphosis| |1018-6409|Quarterly| |LEPIDOPTERISTS SOC AFRICA +11148|Metaphilosophy|Philosophy|0026-1068|Quarterly| |WILEY-BLACKWELL PUBLISHING +11149|Metaphor and Symbol|Psychiatry/Psychology / Metaphor|1092-6488|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +11150|Metelener Schriftenreihe fuer Naturschutz| |0936-7357|Annual| |BIOLOGISCHES INST METELEN E V +11151|Meteoritics & Planetary Science|Geosciences /|1086-9379|Monthly| |WILEY-BLACKWELL PUBLISHING +11152|Meteorological Applications|Geosciences / Meteorological services; Klimaat; Meteorologie; Toepassingen / Meteorological services; Klimaat; Meteorologie; Toepassingen|1350-4827|Quarterly| |JOHN WILEY & SONS INC +11153|Meteorologische Zeitschrift|Geosciences / Meteorology|0941-2948|Bimonthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +11154|Meteorology and Atmospheric Physics|Geosciences / Meteorology; Atmospheric physics; Meteorologie|0177-7971|Bimonthly| |SPRINGER WIEN +11155|Method & Theory in the Study of Religion|Religion; Godsdienstwetenschap|0943-3058|Quarterly| |BRILL ACADEMIC PUBLISHERS +11156|Methodology And Computing In Applied Probability|Mathematics / Probabilities|1387-5841|Quarterly| |SPRINGER +11157|Methodology-European Journal of Research Methods for the Behavioral and Social Sciences| |1614-1881|Quarterly| |HOGREFE & HUBER PUBLISHERS +11158|Methods|Biology & Biochemistry / Biochemistry; Molecular biology; Enzymes|1046-2023|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11159|Methods and Findings in Experimental and Clinical Pharmacology|Pharmacology & Toxicology / Pharmacology|0379-0355|Monthly| |PROUS SCIENCE +11160|Methods in Cell Biology|Molecular Biology & Genetics|0091-679X|Annual| |ELSEVIER ACADEMIC PRESS INC +11161|Methods in Enzymology|Biology & Biochemistry / Enzymes; Biochemistry; Enzymen; Enzymologie; Wetenschappelijke technieken|0076-6879|Irregular| |ELSEVIER ACADEMIC PRESS INC +11162|Methods in Microbiology|Microbiology|0580-9517|Annual| |ELSEVIER ACADEMIC PRESS INC +11163|Methods of Information in Medicine|Clinical Medicine / Medicine; Information Systems; Geneeskunde; Biologie; Informatiesystemen|0026-1270|Quarterly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +11164|Metodos En Ecologia Y Sistematica| |1659-2182|Tri-annual| |INST CENTROAMERICANO INVESTIGACION BIOLOGIA CONSERVACION +11165|Metrika|Mathematics / Mathematical statistics; Statistics; Statistiek|0026-1335|Bimonthly| |SPRINGER HEIDELBERG +11166|Metrologia|Engineering / Weights and measures|0026-1394|Bimonthly| |IOP PUBLISHING LTD +11167|Metrology and Measurement Systems|Chemistry|0860-8229|Quarterly| |POLISH ACAD SCIENCES COMMITTEE METROLOGY & RES EQUIPMENT +11168|Metropolitan Museum Journal|Art; Kunst|0077-8958|Annual| |METROPOLITAN MUSEUM ART +11169|Metropolitan Museum of Art Bulletin|Art; Metropolitan Museum of Art|0026-1521|Quarterly| |METROPOLITAN MUSEUM ART +11170|Metsahallituksen Luonnonsuojelujulkaisuja Sarja A| |1235-6549| | |METSAHALLITUS +11171|Metsanduslikud Uurimused| |1406-9954|Annual| |ESTONIAN AGRICULTURAL UNIV +11172|METU Journal of the Faculty of Architecture| |0258-5316|Semiannual| |MIDDLE EAST TECHNICAL UNIV +11173|Mexican Studies-Estudios Mexicanos| |0742-9797|Semiannual| |UNIV CALIFORNIA PRESS +11174|Meyniana| |0076-7689|Irregular| |Geologisch-Paläontologisches Institut, Christian-Albrechts-Universität, Kiel +11175|Mfs-Modern Fiction Studies| |0026-7724|Quarterly| |JOHNS HOPKINS UNIV PRESS +11176|Mg Biota| |1983-3687|Semimonthly| |INST ESTADUAL FLORESTAS +11177|Michigan Academician| |0026-2005|Quarterly| |MICHIGAN ACAD SCIENCE +11178|Michigan Department of Natural Resources Wildlife Division Report| | | | |MICHIGAN DEPT NATURAL RESOURCES +11179|Michigan Historical Review| |0360-1846|Semiannual| |CENTRAL MICHIGAN UNIV CLARKE HISTORICAL LIBRARY +11180|Michigan Law Review|Social Sciences, general / Law reviews; Jurisprudence; Recht; Droit|0026-2234|Bimonthly| |MICH LAW REV ASSOC +11181|Michigan Mathematical Journal|Mathematics / Mathematics|0026-2285|Tri-annual| |MICHIGAN MATHEMATICAL JOURNAL +11182|Michigan Pharmacist| |1081-6089|Monthly| |MICHIGAN PHARMACISTS ASSOC +11183|Michigan Quarterly Review| |0026-2420|Quarterly| |UNIV MICHIGAN +11184|Micologia Aplicada International| |1534-2581|Semiannual| |MICOLOGIA APLICADA INT +11185|Micologia Italiana| |0390-0460|Tri-annual| |PATRON EDITORE S R L +11186|Micro & Nano Letters|Chemistry / Nanotechnology; Microtechnology; Nanostructured materials; Nanoparticles; Miniaturization; Nanostructures; Nanotechnologie; Microtechnologie; Nanomatériaux; Nanoparticules|1750-0443|Quarterly| |INST ENGINEERING TECHNOLOGY-IET +11187|Microbes and Environments|Microbiology / Microbial ecology; Ecology; Microbiology|1342-6311|Quarterly| |JAPANESE SOC MICROBIAL ECOLOGY +11188|Microbes and Infection|Immunology / Immunity; Infection|1286-4579|Monthly| |ELSEVIER SCIENCE BV +11189|Microbial Cell Factories|Microbiology / Microbial biotechnology; Recombinant proteins; Cells; Recombinant Proteins; Cell Culture; Genetics, Microbial; Biotechnology|1475-2859|Monthly| |BIOMED CENTRAL LTD +11190|Microbial Drug Resistance|Clinical Medicine / Drug resistance in microorganisms; Drug Resistance, Microbial|1076-6294|Quarterly| |MARY ANN LIEBERT INC +11191|Microbial Ecology|Environment/Ecology / Microbial ecology; Ecology; Microbiology; Écologie microbienne|0095-3628|Bimonthly| |SPRINGER +11192|Microbial Ecology in Health and Disease|Body, Human; Microbial ecology; Medical microbiology; Ecology; Microbiology|0891-060X|Quarterly| |TAYLOR & FRANCIS AS +11193|Microbial Pathogenesis|Immunology / Pathogenic microorganisms; Pathology, Molecular; Communicable Diseases|0882-4010|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +11194|Microbiological Research|Microbiology / Microbiology; Soil microbiology; Microbial ecology; Biotechnology; Environmental Microbiology|0944-5013|Quarterly| |ELSEVIER GMBH +11195|Microbiology|Microbiology / Microbiology; Microbiologie|0026-2617|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +11196|Microbiology and Immunology|Microbiology / Microbiology; Immunology; Allergy and Immunology; Microbiologie; Immunologie|0385-5600|Monthly| |WILEY-BLACKWELL PUBLISHING +11197|Microbiology and Molecular Biology Reviews|Microbiology / Microbiology; Molecular biology; Molecular Biology; Microbiologie; Moleculaire biologie; Biologie moléculaire|1092-2172|Quarterly| |AMER SOC MICROBIOLOGY +11198|Microbiology-Sgm|Microbiology|1350-0872|Monthly| |SOC GENERAL MICROBIOLOGY +11199|Microchemical Journal|Engineering / Microchemistry|0026-265X|Bimonthly| |ELSEVIER SCIENCE BV +11200|Microchimica Acta|Engineering / Chemistry, Analytic; Microchemistry; Chemistry, Analytical; Chimie analytique; Microchimie / Chemistry, Analytic; Microchemistry; Chemistry, Analytical; Chimie analytique; Microchimie / Chemistry, Analytic; Microchemistry; Chemistry, Analyt|0026-3672|Monthly| |SPRINGER WIEN +11201|Microcirculation|Clinical Medicine / Microcirculation; Biological transport; Biological Transport|1073-9688|Bimonthly| |TAYLOR & FRANCIS INC +11202|Microelectronic Engineering|Engineering / Semiconductors; Semiconductor industry|0167-9317|Monthly| |ELSEVIER SCIENCE BV +11203|Microelectronics International|Engineering / Microelectronics; Hybrid integrated circuits; Semiconductors; Electronic packaging|1356-5362|Tri-annual| |EMERALD GROUP PUBLISHING LIMITED +11204|Microelectronics Journal|Engineering / Microelectronics|0026-2692|Monthly| |ELSEVIER SCI LTD +11205|Microelectronics Reliability|Engineering / Electronic apparatus and appliances; Miniature electronic equipment / Electronic apparatus and appliances; Miniature electronic equipment|0026-2714|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +11206|Microfluidics and Nanofluidics|Engineering / Fluidic devices; Microfluidics; Microelectromechanical systems; Nanotechnology|1613-4982|Quarterly| |SPRINGER HEIDELBERG +11207|Microgravity Science and Technology|Engineering / Reduced gravity environments|0938-0108|Quarterly| |SPRINGER +11208|Micromamiferos Y Bioestratigrafia| | |Irregular| |INST ANDALUZ CIENCIAS TERRA +11209|Micron|Biology & Biochemistry / Microscopy; Electron Probe Microanalysis; Microscopie|0968-4328|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11210|Micronesica| |0026-279X|Semiannual| |UNIV GUAM PRESS +11211|Micropaleontology|Geosciences / Micropaleontology; Micropaleontologie|0026-2803|Bimonthly| |MICROPALEONTOLOGY PRESS +11212|Microporous and Mesoporous Materials|Materials Science / Molecular sieves; Zeolites; Tamis moléculaires; Zéolites|1387-1811|Monthly| |ELSEVIER SCIENCE BV +11213|Microprocessors and Microsystems|Computer Science / Microprocessors; Microprocesseurs|0141-9331|Bimonthly| |ELSEVIER SCIENCE BV +11214|Microscope| |0026-282X|Quarterly| |MICROSCOPE PUBLICATIONS LTD +11215|Microscopy and Analysis| |0958-1952|Bimonthly| |JOHN WILEY & SONS LTD +11216|Microscopy and Microanalysis|Physics / Microscopy; Microchemistry|1431-9276|Bimonthly| |CAMBRIDGE UNIV PRESS +11217|Microscopy Research and Technique|Biology & Biochemistry / Electron microscopy; Microscopy; Microscopy, Electron|1059-910X|Semimonthly| |WILEY-LISS +11218|Microscopy Society of Southern Africa Proceedings| |1028-3455|Annual| |MICROSCOPY SOC SOUTHERN AFRICA +11219|Microsurgery|Clinical Medicine / Microsurgery|0738-1085|Bimonthly| |WILEY-LISS +11220|Microsystem Technologies-Micro-And Nanosystems-Information Storage and Processing Systems|Engineering / Microelectronics; Transducers; Actuators; Nanotechnology; Information storage and retrieval systems; Microélectronique; Transducteurs; Actionneurs|0946-7076|Monthly| |SPRINGER +11221|Microvascular Research|Clinical Medicine / Microcirculation; Blood Vessels|0026-2862|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11222|Microwave and Optical Technology Letters|Physics / Microwaves; Optics|0895-2477|Monthly| |JOHN WILEY & SONS INC +11223|Microwave Journal|Engineering|0192-6225|Monthly| |HORIZON HOUSE PUBLICATIONS INC +11224|Microwaves & Rf|Engineering|0745-2993|Monthly| |PENTON MEDIA +11225|Middle East Journal|Social Sciences, general / MIDDLE EAST|0026-3141|Quarterly| |MIDDLE EAST INST +11226|Middle East Journal of Anesthesiology| |0544-0440|Tri-annual| |AMER UNIV BEIRUT MEDICAL CENTER +11227|Middle East Journal of Scientific Research| |1990-9233|Quarterly| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +11228|Middle East Policy|Social Sciences, general / Arab-Israeli conflict; Arabisch-Israëlisch conflict; Buitenlandse politiek|1061-1924|Quarterly| |WILEY-BLACKWELL PUBLISHING +11229|Middle Eastern Literatures|Arabic literature; Middle Eastern literature; Letterkunde|1475-262X|Tri-annual| |ROUTLEDGE JOURNALS +11230|Middle Eastern Studies|Social Sciences, general /|0026-3206|Bimonthly| |ROUTLEDGE JOURNALS +11231|Midoriishi| | |Irregular| |AKAJIMA MARINE SCI LAB +11232|Midsouth Entomologist| |1936-6019|Semiannual| |MISSISSIPPI ENTOMOL ASSOC +11233|Midwest Quarterly-A Journal of Contemporary Thought| |0026-3451|Quarterly| |PITTSBURG STATE UNIV +11234|Midwifery|Social Sciences, general / Midwifery; Verloskundige zorg; Verloskunde; Verloskundigen|0266-6138|Quarterly| |ELSEVIER SCI LTD +11235|Mie Daigaku Daigakuin Seibutsu Shigengaku Kenkyuka Kiyo| | |Annual| |MIE UNIV +11236|Mikologiya I Fitopatologiya|Plant & Animal Science|0026-3648|Bimonthly| |MEZHDUNARODNAYA KNIGA +11237|Mikrobiyoloji Bulteni|Microbiology|0374-9096|Quarterly| |ANKARA MICROBIOLOGY SOC +11238|Mikrokosmos| |0026-3680|Monthly| |ELSEVIER GMBH +11239|Milan Journal of Mathematics|Mathematics / Mathematics|1424-9286|Annual| |BIRKHAUSER VERLAG AG +11240|Milbank Memorial Fund Quarterly|Public health; Public Health; Medische sociologie|0026-3745|Irregular| |WILEY-BLACKWELL PUBLISHING +11241|Milbank Memorial Fund Quarterly Bulletin|Public health; Public Health|0276-5187|Quarterly| |WILEY-BLACKWELL PUBLISHING +11242|Milbank Quarterly|Social Sciences, general / Social medicine; Medical policy; Medical economics; Insurance, Health; Public health; Delivery of Health Care; Public Health; Médecine sociale; Politique sanitaire; Économie de la santé; Assurance-maladie; Santé publique; Genee|0887-378X|Quarterly| |WILEY-BLACKWELL PUBLISHING +11243|Milchwissenschaft-Milk Science International|Agricultural Sciences|0026-3788|Quarterly| |A V A AGRARVERLAG +11244|Militärgeschichtliche Zeitschrift| |0026-3826|Semiannual| |MILITARGESCH FORSCHUNGSAMT +11245|Military Law Review|Social Sciences, general|0026-4040|Quarterly| |JUDGE ADVOCATE GENERALS SCHOOL +11246|Military Medicine|Clinical Medicine|0026-4075|Monthly| |ASSOC MILITARY SURG US +11247|Military Operations Research|Social Sciences, general|0275-5823|Quarterly| |MILITARY OPERATIONS RESEARCH SOC +11248|Military Psychology|Psychiatry/Psychology / Psychology, Military|0899-5605|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +11249|Millennium Film Journal| |1064-5586|Semiannual| |MILLENNIUM FILM WORKSHOP INC +11250|Millennium-Journal of International Studies|Social Sciences, general / International relations; Relations internationales; INTERNATIONAL RELATIONS; POLITICAL SCIENCE|0305-8298|Tri-annual| |SAGE PUBLICATIONS LTD +11251|Milli Folklor| |1300-3984|Quarterly| |MILLI FOLKLOR DERGISI +11252|Milton Quarterly|Littérature anglaise|0026-4326|Quarterly| |WILEY-BLACKWELL PUBLISHING +11253|Milton Studies| |0076-8820|Annual| |UNIV PITTSBURGH PRESS +11254|Milton Studies| |0076-8820|Annual| |UNIV PITTSBURGH PRESS +11255|Milu| |0076-8839|Irregular| |TIERPARK BERLIN-FRIEDRICHSFELDE GMBH +11256|Milwaukee Public Museum Contributions in Biology and Geology| |0160-5313|Irregular| |MILWAUKEE PUBLIC MUSEUM +11257|Mind|Philosophy; Psychology; Filosofie; Psychologie; Philosophie|0026-4423|Quarterly| |OXFORD UNIV PRESS +11258|Mind & Language|Psychiatry/Psychology / Psycholinguistics; Thought and thinking; Language and languages; Psycholinguistique; Langage et langues; Cognition et langage|0268-1064|Quarterly| |WILEY-BLACKWELL PUBLISHING +11259|Minds and Machines|Engineering / Artificial intelligence; Computer science; Logic, Symbolic and mathematical; Cognitive science|0924-6495|Quarterly| |SPRINGER +11260|Mineral Processing and Extractive Metallurgy Review|Geosciences / Ore-dressing; Metallurgy|0882-7508|Quarterly| |TAYLOR & FRANCIS INC +11261|Mineralia Slovaca| |0369-2086|Bimonthly| |MINERALIA SLOVACA +11262|Mineralium Deposita|Geosciences / Mineralogy; Ore deposits|0026-4598|Bimonthly| |SPRINGER +11263|Mineralogical Magazine|Geosciences / Mineralogy|0026-461X|Bimonthly| |MINERALOGICAL SOC +11264|Mineralogy and Petrology|Geosciences / Mineralogy; Petrology|0930-0708|Bimonthly| |SPRINGER WIEN +11265|Minerals & Metallurgical Processing|Geosciences|0747-9182|Quarterly| |SOC MINING METALLURGY EXPLORATION INC +11266|Minerals Engineering|Geosciences / Mines and mineral resources; Ressources minérales; Métallurgie extractive; Mines|0892-6875|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +11267|Mineraux & Fossiles| |0335-6566|Monthly| |MINERAUX FOSSILES +11268|Mineraux & Fossiles Hors-Serie| |1298-2938|Irregular| |MINERAUX FOSSILES +11269|Minerva|Social Sciences, general / Learned institutions and societies; Education; Public Policy; Research; Science|0026-4695|Quarterly| |SPRINGER +11270|Minerva Anestesiologica|Clinical Medicine|0375-9393|Monthly| |EDIZIONI MINERVA MEDICA +11271|Minerva Biotecnologica|Biology & Biochemistry|1120-4826|Quarterly| |EDIZIONI MINERVA MEDICA +11272|Minerva Chirurgica|Clinical Medicine|0026-4733|Bimonthly| |EDIZIONI MINERVA MEDICA +11273|Minerva Endocrinologica|Clinical Medicine|0391-1977|Quarterly| |EDIZIONI MINERVA MEDICA +11274|Minerva Medica|Clinical Medicine|0026-4806|Bimonthly| |EDIZIONI MINERVA MEDICA +11275|Minerva Ortopedica E Traumatologica|Clinical Medicine|0026-4911|Bimonthly| |EDIZIONI MINERVA MEDICA +11276|Mini-Reviews in Medicinal Chemistry|Chemistry / Chemistry, Pharmaceutical|1389-5575|Quarterly| |BENTHAM SCIENCE PUBL LTD +11277|Mini-Reviews in Organic Chemistry|Chemistry / Chemistry, Organic|1570-193X|Quarterly| |BENTHAM SCIENCE PUBL LTD +11278|Minimally Invasive Neurosurgery|Clinical Medicine / Endoscopy; Nervous System Diseases; Neurosurgery; Stereotaxic Techniques|0946-7211|Quarterly| |GEORG THIEME VERLAG KG +11279|Minimally Invasive Therapy & Allied Technologies|Clinical Medicine / Endoscopy; Interventional radiology; Radiology, Medical; Surgical technology; Endoscopes; Radiography, Interventional; Surgical Procedures, Minimally Invasive; Technology, Radiologic|1364-5706|Bimonthly| |TAYLOR & FRANCIS AS +11280|Minnesota Department of Natural Resources Summaries of Wildlife Research Findings| | | | |MINNESOTA DEPT NATURAL RESOURCES +11281|Minnesota Law Review|Social Sciences, general|0026-5535|Bimonthly| |MINN LAW REVIEW FOUND +11282|Minnesota Ornithologists Union Occasional Papers| | |Irregular| |MINNESOTA ORNITHOLOGISTS UNION +11283|Minnesota Review| |0026-5667|Semiannual| |MINNESOTA REVIEW +11284|Minnesota Symposia on Child Psychology|Psychiatry/Psychology|0076-9266|Annual| |LAWRENCE ERLBAUM ASSOC PUBL +11285|Minnesota Wildlife Report| |1040-0680|Irregular| |MINNESOTA DEPT NATURAL RESOURCES +11286|Miombo| |0856-2806|Irregular| |WILDLIFE CONSERVATION SOC TANZANIA-WCST +11287|MIS Quarterly|Economics & Business / Management information systems; Management informatiesystemen|0276-7783|Quarterly| |SOC INFORM MANAGE-MIS RES CENT +11288|Mis Quarterly Executive|Computer Science|1540-1960|Quarterly| |INDIANA UNIV +11289|Miscellanea Faunistica Helvetiae| |1421-5616|Irregular| |CENTRE SUISSE CARTOGRAPHIE FAUNE +11290|Miscellanea Malacologica| |1573-9953|Irregular| |MARIEN FABER +11291|Miscellaneous Papers on Turbellarians| | |Annual| |DR MASAHARU KAWAKATSU +11292|Miscellaneous Publications Museum of Zoology University of Michigan| |0076-8405|Irregular| |MUSEUM ZOOLOGY +11293|Miscellaneous Report of the Toyohashi Museum of Natural History| |0919-1526|Irregular| |TOYOHASHI MUSEUM NATURAL HISTORY +11294|Miscellaneous Report of the Yokosuka City Museum| |0386-4286|Irregular| |YOKUSUKA CITY MUSEUM +11295|Miscellaneous Reports of the Hiwa Museum for Natural History| |0285-5615|Annual| |HIWA MUSEUM NATURAL HISTORY +11296|Miskolc Mathematical Notes| |1586-8850|Semiannual| |UNIV MISKOLC INST MATH +11297|Mississippi Quarterly| |0026-637X|Quarterly| |MISSISSIPPI QUARTERLY +11298|Missouri Herpetological Association Newsletter| | | | |MISSOURRI HERPETOLOGICAL ASSOC +11299|Mit Sloan Management Review|Economics & Business|1532-9194|Quarterly| |SLOAN MANAGEMENT REVIEW ASSOC +11300|Mitochondrial DNA|Molecular Biology & Genetics /|1940-1736|Bimonthly| |INFORMA HEALTHCARE +11301|Mitochondrion|Biology & Biochemistry / Mitochondria; Mitochondrial pathology|1567-7249|Bimonthly| |ELSEVIER SCI LTD +11302|Mitteilungen aus dem Geologisch-Palaeontologischen Institut der Universitaet Hamburg| |0072-1115|Irregular| |UNIV HAMBURG +11303|Mitteilungen aus dem Hamburgischen Zoologischen Museum und Institut| |0072-9612|Irregular| |ZOOLOGISCHES INST ZOOLOGISCHES MUSEUM UNIV HAMBURG +11304|Mitteilungen aus dem Haus der Natur| | |Irregular| |HAUS NATUR +11305|Mitteilungen aus dem Institut fuer Allgemeine Botanik Hamburg| |0344-5615|Irregular| |BIBLIOTHEK INST ALLGEMEINE BOTANIK BOTANISCHER GARTEN +11306|Mitteilungen aus der Biologischen Bundesanstalt fuer Land- und Forstwirtschaft Berlin-Dahlem| |0067-5849|Irregular| |VERLAG PAUL PAREY +11307|Mitteilungen aus Lebensmitteluntersuchung und Hygiene| |1424-1307|Bimonthly| |BUNDESAMT FUR GESUNDHEITSWESEN +11308|Mitteilungen der Aargauischen Naturforschenden Gesellschaft| |0379-2722|Irregular| |AARGAUISCHE NATURFORSCH GESELL +11309|Mitteilungen der Arbeitsgemeinschaft Geobotanik in Schleswig-Holstein und Hamburg| |0344-8002|Irregular| |ARBEITSGEMEINSCHAFT FUER GEOBOTANIK IN SCHLESWIG-HOLSTEIN UND HAMBURG E.V. +11310|Mitteilungen der Arbeitsgemeinschaft Rheinischer Koleopterologen| |0939-7736|Quarterly| |ARBEITS RHEIN KOLEOPT +11311|Mitteilungen der Arbeitsgemeinschaft Westfaelischer Entomologen| |1619-7836|Irregular| |ARBEITS WESTFAEL ENTOMOL +11312|Mitteilungen der Deutschen Malakozoologischen Gesellschaft| |0418-8861|Semiannual| |E. SCHWEIZERBART SCIENCE PUBLISHERS +11313|Mitteilungen der Entomologischen Arbeitsgemeinschaft Salzkammergut| |1606-9781|Irregular| |ENTOMOLOGISCHE ARBEITSGEMEINSCHAFT SALZKAMMERGUT +11314|Mitteilungen der Naturforschenden Gesellschaft des Kantons Solothurn| |1421-5551|Irregular| |NATURFORSCHENDEN GESELLSCHAFT KANTONS SOLOTHURN +11315|Mitteilungen der Naturforschenden Gesellschaft in Bern| |0077-6130|Annual| |NATURFORSCHENDE GESELLSCHAFT IN BERN +11316|Mitteilungen der Naturforschenden Gesellschaft Schaffhausen| |0373-3092|Irregular| |NATURFORSCHENDE GESELLSCHAFT SCHAFFHAUSEN +11317|Mitteilungen der Naturforschenden Gesellschaften Beider Basel| |1420-4606|Irregular| |NATURFORSCHENDE GESELLSCHAFT IN BASEL +11318|Mitteilungen der Ornithologischen Arbeitsgemeinschaft Ulmer Raum| |0945-1501|Irregular| |ORNITHOLOGISCHE ARBEITSGEMEINSCHAFT ULMER RAUM +11319|Mitteilungen der Osterreichischen Geographischen Gesellschaft|Social Sciences, general|0029-9138|Annual| |OSTERREICHISCHE GEOGRAPHISCHE GESELLSCHAFT +11320|Mitteilungen der Osterreichischen Geologischen Gesellschaft| |0251-7493|Semiannual| |OESTERREICHISCHE GEOLOGISCHE GESELLSCHAFT +11321|Mitteilungen der Pollichia| |0341-9665|Annual| |POLLICHIA - VEREIN NATURFORSCHUNG LANDESPFLEGE E V +11322|Mitteilungen der Schweizerischen Entomologischen Gesellschaft| |0036-7575|Irregular| |SCHWEIZERISCHE ENTOMOLOGISCHE GESELLSCHAFT-SEG +11323|Mitteilungen der Thurgauischen Naturforschenden Gesellschaft| |0253-2905|Irregular| |THURGAUISCHE NATURFORSCHENDE GESELLSCHAFT +11324|Mitteilungen des Badischen Landesvereins fuer Naturkunde und Naturschutz Ev Freiburg Im Breisgau| |0067-2858|Irregular| |BADISCHER LANDESVEREIN NATURKUNDE NATURSCHUTZ E V +11325|Mitteilungen des Internationalen Entomologischen Vereins E V Frankfurt A M| |1019-2808|Quarterly| |INT ENTOMOLOGISCHER VEREIN E V +11326|Mitteilungen des Kunsthistorischen Institutes in Florenz| |0342-1201|Tri-annual| |LIBRERIA SALIMBENI +11327|Mitteilungen des Naturwissenschaftlichen Arbeitskreises Kempten Allgaeu| |0344-5054|Irregular| |NATURWISSENSCHAFTLICHER ARBEITSKREIS KEMPTEN +11328|Mitteilungen des Naturwissenschaftlichen Vereines fuer Steiermark| |0369-1136|Annual| |NATURWISSENSCHAFTLICHER VEREIN STEIERMARK +11329|Mitteilungen des Thueringer Entomologenverbandes E.v.| |0947-3238|Semiannual| |THUERINGER ENTOMOLOGENVERBAND E.V. +11330|Mitteilungen des Vereins Saechsischer Ornithologen| |0942-7872|Semiannual| |VEREIN SAECHSISCHER ORNITHOLOGEN E V +11331|Mitteilungen Entomologischer Verein Stuttgart| |0937-5198|Annual| |ENTOMOLOGISCHER VEREIN STUTTGART 1869 E V +11332|Mitteilungen Klosterneuburg|Agricultural Sciences|0007-5922|Bimonthly| |HOEHERE BUNDESLEHRANSTALT UND BUNDESAMT FUER WEIN- UND OBSTBAU +11333|Mitteilungen Muenchener Entomologischen Gesellschaft| |0340-4943|Annual| |VERLAG DR FRIEDRICH PFEIL +11334|Mla News| |0541-5489|Monthly| |MEDICAL LIBRARY ASSOC +11335|Mljekarstvo|Agricultural Sciences|0026-704X|Quarterly| |CROATIAN DAIRY UNION +11336|MLN|Philology, Modern|0026-7910|Bimonthly| |JOHNS HOPKINS UNIV PRESS +11337|Mmw-Fortschritte der Medizin|Clinical Medicine|1438-3276|Irregular| |URBAN & VOGEL +11338|Mmwr-Morbidity and Mortality Weekly Report| |0149-2195|Weekly| |CENTERS DISEASE CONTROL +11339|Mnemosyne|Classical philology; Klassieke oudheid; Philologie ancienne|0026-7074|Quarterly| |BRILL ACADEMIC PUBLISHERS +11340|Mobile Communications International|Computer Science|1352-9226|Monthly| |INFORMA TELECOMS & MEDIA GROUP +11341|Mobile Information Systems|Computer Science|1574-017X|Quarterly| |IOS PRESS +11342|Mobile Networks & Applications|Computer Science / Wireless communication systems; Mobile communication systems; Mobile computing; Portable computers; Draadloze communicatie; Computernetwerken|1383-469X|Quarterly| |SPRINGER +11343|Mobilization|Social Sciences, general|1086-671X|Quarterly| |SAN DIEGO STATE UNIV +11344|Modeling Identification and Control|Engineering /|0332-7353|Quarterly| |MIC +11345|Modelling and Simulation in Materials Science and Engineering|Materials Science / Materials|0965-0393|Bimonthly| |IOP PUBLISHING LTD +11346|Modern & Contemporary France| |0963-9489|Quarterly| |ROUTLEDGE JOURNALS +11347|Modern Asian Studies|Social Sciences, general / Cultuurgeschiedenis|0026-749X|Quarterly| |CAMBRIDGE UNIV PRESS +11348|Modern Austrian Literature| |0026-7503|Tri-annual| |INT ARTHUR SCHNITZLER RES ASSOC +11349|Modern China|Social Sciences, general /|0097-7004|Quarterly| |SAGE PUBLICATIONS INC +11350|Modern Chinese Literature and Culture| |1520-9857|Semiannual| |FOREIGN LANGUAGE PUBL +11351|Modern Drama|Drama; Theater|0026-7694|Quarterly| |UNIV TORONTO PRESS INC +11352|Modern Healthcare| |0160-7480|Weekly| |CRAIN COMMUNICATIONS INC +11353|Modern Intellectual History|Intellectual life|1479-2443|Tri-annual| |CAMBRIDGE UNIV PRESS +11354|Modern Judaism|Judaism; Jews|0276-1114|Tri-annual| |OXFORD UNIV PRESS INC +11355|Modern Language Journal|Social Sciences, general / Languages, Modern / Languages, Modern|0026-7902|Quarterly| |WILEY-BLACKWELL PUBLISHING +11356|Modern Language Quarterly|Languages, Modern; Historical criticism (Literature); Literature and history; Literature; Letterkunde; Moderne talen|0026-7929|Quarterly| |DUKE UNIV PRESS +11357|Modern Language Review|Philology, Modern; Letterkunde; Moderne talen; Philologie|0026-7937|Quarterly| |MANEY PUBLISHING +11358|Modern Pathology|Clinical Medicine / Pathology; Diagnosis, Laboratory; Pathologie; Diagnostics biologiques|0893-3952|Monthly| |NATURE PUBLISHING GROUP +11359|Modern Philology|Philology, Modern; Filologie; Moderne talen|0026-8232|Quarterly| |UNIV CHICAGO PRESS +11360|Modern Physics Letters A|Physics / Nuclear physics; Particles (Nuclear physics)|0217-7323|Weekly| |WORLD SCIENTIFIC PUBL CO PTE LTD +11361|Modern Physics Letters B|Physics / Condensed matter; Statistical physics; Physics|0217-9849|Biweekly| |WORLD SCIENTIFIC PUBL CO PTE LTD +11362|Modern Rheumatology|Clinical Medicine / Rheumatic Diseases; Collagen Diseases; Rhumatologie; Rhumatisme; Collagénoses|1439-7595|Bimonthly| |SPRINGER +11363|Modern Schoolman| |0026-8402|Quarterly| |ST LOUIS UNIV +11364|Moderna Sprak| |0026-8577|Semiannual| |LMS-MODERN LANG TEACHERS ASSOC +11365|Modernism-Modernity| |1071-6068|Quarterly| |JOHNS HOPKINS UNIV PRESS +11366|Mokuzai Gakkaishi|Materials Science / Wood|0021-4795|Bimonthly| |JAPAN WOOD RES SOC +11367|Molecular & Cellular Biomechanics| |1556-5297|Quarterly| |TECH SCIENCE PRESS +11368|Molecular & Cellular Proteomics|Molecular Biology & Genetics / Proteomics; Proteome; Proteins / Proteomics; Proteome; Proteins|1535-9476|Monthly| |AMER SOC BIOCHEMISTRY MOLECULAR BIOLOGY INC +11369|Molecular & Cellular Toxicology|Pharmacology & Toxicology /|1738-642X|Quarterly| |SPRINGER +11370|Molecular and Biochemical Parasitology|Microbiology / Parasitology; Molecular biology; Biochemistry; Parasites|0166-6851|Monthly| |ELSEVIER SCIENCE BV +11371|Molecular and Cellular Biochemistry|Molecular Biology & Genetics / Biochemistry; Cytochemistry; Molecular biology; Cytology; Molecular Biology|0300-8177|Monthly| |SPRINGER +11372|Molecular and Cellular Biology|Molecular Biology & Genetics / Microbiology; Cytology; Molecular Biology|0270-7306|Semimonthly| |AMER SOC MICROBIOLOGY +11373|Molecular and Cellular Endocrinology|Biology & Biochemistry / Endocrinology; Molecular biology; Cytology; Hormones; Endocrinologie; Biologie moléculaire; Cytologie|0303-7207|Monthly| |ELSEVIER IRELAND LTD +11374|Molecular and Cellular Neuroscience|Neuroscience & Behavior / Molecular neurobiology; Cytology; Neurobiology; Neurobiologie moléculaire; Cytologie; Neurobiologie; Neurosciences|1044-7431|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11375|Molecular and Cellular Probes|Molecular Biology & Genetics / Molecular probes; Pathology, Cellular; Cytology; Molecular Biology|0890-8508|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +11376|Molecular Aspects of Medicine|Biology & Biochemistry / Pathology, Molecular; Medicine; Biochemistry; Molecular Biology|0098-2997|Bimonthly| |ELSEVIER SCIENCE BV +11377|Molecular Biology|Molecular Biology & Genetics / Molecular biology; Cytogenetics; Biology|0026-8933|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +11378|Molecular Biology and Evolution|Biology & Biochemistry / Molecular biology; Molecular evolution; Evolution; Molecular Biology|0737-4038|Monthly| |OXFORD UNIV PRESS +11379|Molecular Biology of the Cell|Molecular Biology & Genetics / Cytology; Molecular biology; Cell Physiology; Molecular Biology; Celbiologie; Moleculaire biologie|1059-1524|Monthly| |AMER SOC CELL BIOLOGY +11380|Molecular Biology Reports|Molecular Biology & Genetics / Molecular biology; Molecular Biology; Moleculaire biologie; Biologie moléculaire|0301-4851|Quarterly| |SPRINGER +11381|Molecular BioSystems|Biology & Biochemistry / Molecular biology; Biochemistry; Biological systems; Molecular Biology; Moleculaire biologie; Biochemie|1742-206X|Bimonthly| |ROYAL SOC CHEMISTRY +11382|Molecular Biotechnology|Biology & Biochemistry / Biotechnology; Molecular biology; Molecular Biology; Biotechnologie; Moleculaire biologie; Biologie moléculaire; Génétique moléculaire|1073-6085|Monthly| |HUMANA PRESS INC +11383|Molecular Breeding|Plant & Animal Science / Plant molecular genetics; Plant breeding; Breeding; Genetic Engineering; Molecular Biology; Plants, Genetically Modified|1380-3743|Bimonthly| |SPRINGER +11384|Molecular Cancer|Molecular Biology & Genetics / Cancer; Neoplasms; Molecular Biology|1476-4598|Monthly| |BIOMED CENTRAL LTD +11385|Molecular Cancer Research|Molecular Biology & Genetics / Cells; Cell differentiation; Cancer cells; Cell transformation; Cancer; Cell Differentiation; Cell Transformation, Neoplastic; Molecular Biology; Neoplasms; Cellules; Cellules cancéreuses|1541-7786|Monthly| |AMER ASSOC CANCER RESEARCH +11386|Molecular Cancer Therapeutics|Clinical Medicine / Cancer; Therapeutics; Neoplasms; Anticarcinogenic Agents; Antineoplastic Agents; Gene Therapy; Pharmacogenetics|1535-7163|Monthly| |AMER ASSOC CANCER RESEARCH +11387|Molecular Carcinogenesis|Clinical Medicine / Carcinogenesis; Carcinogens; Molecular Biology|0899-1987|Monthly| |WILEY-LISS +11388|Molecular Cell|Molecular Biology & Genetics / Molecular biology; Cytologie; Biologie moléculaire; Cytology; Molecular Biology|1097-2765|Semimonthly| |CELL PRESS +11389|Molecular Crystals and Liquid Crystals|Chemistry / Molecular crystals; Liquid crystals|1542-1406|Semimonthly| |TAYLOR & FRANCIS LTD +11390|Molecular Crystals and Liquid Crystals Science and Technology Section A-Molecular Crystals and Liquid Crystals| |1058-725X|Monthly| |GORDON BREACH PUBLISHING +11391|Molecular Diagnosis & Therapy|Pharmacology & Toxicology|1177-1062|Bimonthly| |ADIS INT LTD +11392|Molecular Diversity|Chemistry / Molecular biology; Nanotechnology; Molecular evolution; Evolution, Molecular; Molecular Biology; Molecular Sequence Data|1381-1991|Quarterly| |SPRINGER +11393|Molecular Ecology|Environment/Ecology / Molecular ecology; Molecular population biology; Adaptation, Biological; Ecology; Genetics, Population; Molecular Biology; Génétique moléculaire; Biologie moléculaire; Biologie des populations; Écologie|0962-1083|Semimonthly| |WILEY-BLACKWELL PUBLISHING +11394|Molecular Ecology Resources|Environment/Ecology / Molecular ecology; Ecology; Computational Biology; Molecular Biology|1755-098X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11395|Molecular Endocrinology|Biology & Biochemistry / Molecular endocrinology; Endocrinology; Molecular Biology; Endocrinologie; Moleculaire biologie|0888-8809|Monthly| |ENDOCRINE SOC +11396|Molecular Genetics and Genomics|Molecular Biology & Genetics / Molecular genetics; Genetics; Genomes; Molecular Biology; Genomics; Moleculaire genetica; Genoom; Génétique; Génomes; Génétique moléculaire / Molecular genetics; Genetics; Genomes; Molecular Biology; Genomics; Moleculaire g|1617-4615|Monthly| |SPRINGER HEIDELBERG +11397|Molecular Genetics and Metabolism|Molecular Biology & Genetics / Biochemistry; Clinical biochemistry; Pathology, Molecular; Medical genetics; Endocrine Diseases; Molecular Biology; Metabolic Diseases; Medische genetica; Moleculaire genetica; Stofwisseling|1096-7192|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11398|Molecular Genetics Microbiology and Virology|Molecular Biology & Genetics / Molecular biology; Molecular genetics; Microbiology; Virology; Genetics|0891-4168|Quarterly| |SPRINGER +11399|Molecular Human Reproduction|Molecular Biology & Genetics / Gene Expression Regulation, Developmental; Molecular Biology; Reproduction|1360-9947|Monthly| |OXFORD UNIV PRESS +11400|Molecular Imaging|Molecular Biology & Genetics /|1535-3508|Bimonthly| |B C DECKER INC +11401|Molecular Imaging and Biology|Molecular Biology & Genetics / Diagnostic imaging; Fluorescence spectroscopy; Molecular spectroscopy; Diagnostic Imaging; Cytological Techniques; Molecular Biology / Macromolecules; Molecules; Molecular structure; Biomedical Engineering; Chemical Enginee|1536-1632|Bimonthly| |SPRINGER +11402|Molecular Immunology|Immunology / Immunochemistry; Molecular biology; Allergy and Immunology; Molecular Biology; Immunologie; Moleculaire biologie|0161-5890|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11403|Molecular Informatics|Chemistry /|1868-1743|Monthly| |WILEY-V C H VERLAG GMBH +11404|Molecular Interventions|Pharmacology & Toxicology / Pharmacology; Molecular Biology|1534-0384|Bimonthly| |AMER SOC PHARMACOLOGY EXPERIMENTAL THERAPEUTICS +11405|Molecular Medicine|Clinical Medicine / Molecular biology; Clinical Medicine; Molecular Biology|1076-1551|Bimonthly| |FEINSTEIN INST MED RES +11406|Molecular Medicine Reports|Clinical Medicine /|1791-2997|Bimonthly| |SPANDIDOS PUBL LTD +11407|Molecular Membrane Biology|Molecular Biology & Genetics / Membranes (Biology); Biochemistry; Cell Membrane; Membranes; Molecular Biology|0968-7688|Bimonthly| |TAYLOR & FRANCIS LTD +11408|Molecular Microbiology|Microbiology / Molecular microbiology; Microbiology; Molecular Biology; Microbiologie; Biologie moléculaire / Molecular microbiology; Microbiology; Molecular Biology; Microbiologie; Biologie moléculaire|0950-382X|Semimonthly| |WILEY-BLACKWELL PUBLISHING +11409|Molecular Neurobiology|Neuroscience & Behavior / Molecular neurobiology; Neurobiology; Review Literature|0893-7648|Bimonthly| |HUMANA PRESS INC +11410|Molecular Neurodegeneration|Neuroscience & Behavior / Neurobiology; Nervous system; Neurodegenerative Diseases|1750-1326|Monthly| |BIOMED CENTRAL LTD +11411|Molecular Nutrition & Food Research|Agricultural Sciences / Food; Nutrition; Food Microbiology; Food Technology; Molecular Biology|1613-4125|Monthly| |WILEY-V C H VERLAG GMBH +11412|Molecular Oncology|Molecular Biology & Genetics / Neoplasms; Tumor Markers, Biological|1574-7891|Quarterly| |ELSEVIER SCI LTD +11413|Molecular Oral Microbiology|Microbiology /|2041-1006|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11414|Molecular Pain|Molecular Biology & Genetics / Pain|1744-8069|Irregular| |BIOMED CENTRAL LTD +11415|Molecular Pharmaceutics|Pharmacology & Toxicology / Molecular pharmacology; Pharmaceutical Preparations; Pharmacology|1543-8384|Bimonthly| |AMER CHEMICAL SOC +11416|Molecular Pharmacology|Pharmacology & Toxicology / Molecular pharmacology; Pharmacology|0026-895X|Monthly| |AMER SOC PHARMACOLOGY EXPERIMENTAL THERAPEUTICS +11417|Molecular Phylogenetics and Evolution|Biology & Biochemistry / Phylogeny; Molecular genetics; Molecular evolution; Base Sequence; Evolution; Genetic Code; Species Specificity|1055-7903|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11418|Molecular Physics|Chemistry / Molecules; Chemistry, Physical and theoretical; Nuclear Physics|0026-8976|Semimonthly| |TAYLOR & FRANCIS LTD +11419|Molecular Plant|Plant & Animal Science /|1674-2052|Bimonthly| |OXFORD UNIV PRESS +11420|Molecular Plant Pathology|Plant & Animal Science / Plant diseases; Plant-pathogen relationships; Plant Diseases; Molecular Biology|1464-6722|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11421|Molecular Plant-Microbe Interactions|Plant & Animal Science / Phytopathogenic bacteria; Phytopathogenic fungi; Phytopathogenic microorganisms; Molecular Biology; Genetics, Microbial; Plants|0894-0282|Monthly| |AMER PHYTOPATHOLOGICAL SOC +11422|Molecular Psychiatry|Neuroscience & Behavior / Biological psychiatry; Mental illness; Mental Disorders; Molecular Biology; Neurosciences|1359-4184|Monthly| |NATURE PUBLISHING GROUP +11423|Molecular Reproduction and Development|Molecular Biology & Genetics / Reproduction; Molecular biology; Molecular genetics; Embryology; Embryo and Fetal Development; Germ Cells|1040-452X|Monthly| |WILEY-LISS +11424|Molecular Simulation|Chemistry / Molecular dynamics; Statistical mechanics|0892-7022|Monthly| |TAYLOR & FRANCIS LTD +11425|Molecular Systems Biology|Molecular Biology & Genetics /|1744-4292|Monthly| |NATURE PUBLISHING GROUP +11426|Molecular Therapy|Clinical Medicine / Gene therapy; Molecular genetics; Gene Therapy; Gene Transfer Techniques; Molecular Biology; Gentherapie|1525-0016|Monthly| |NATURE PUBLISHING GROUP +11427|Molecular Vision|Clinical Medicine|1090-0535|Irregular| |MOLECULAR VISION +11428|Molecules|Chemistry / Molecules; Chemistry; Biological Factors; Biological Products; Molécules; Chimie|1420-3049|Monthly| |MDPI AG +11429|Molecules and Cells|Biology & Biochemistry / Molecular biology; Cytology; Cells; Molecular Biology|1016-8478|Monthly| |KOREAN SOC MOLECULAR & CELLULAR BIOLOGY +11430|Mollusca| |1864-5127|Irregular| |STAATLICHES MUSEUM TIERKUNDE DRESDEN +11431|Molluscan Research|Plant & Animal Science / Mollusks|1323-5818|Tri-annual| |MAGNOLIA PRESS +11432|Monachus Guardian| |1480-9362|Semiannual| |FRIENDS MONK SEAL +11433|Monatshefte für Chemie|Chemistry / Chemistry; Science / Chemistry; Science / Chemistry; Science / Chemistry; Science / Chemistry; Science / Chemistry; Science|0026-9247|Monthly| |SPRINGER WIEN +11434|Monatshefte für Mathematik|Mathematics / Mathematics; Mathématiques / Mathematics; Mathématiques / Mathematics; Mathématiques|0026-9255|Bimonthly| |SPRINGER WIEN +11435|Monatsschrift fur Kriminologie und Strafrechtsreform|Social Sciences, general|0026-9301|Bimonthly| |CARL HEYMANNS VERLAG KG +11436|Monatsschrift fur Psychiatrie und Neurologie| |0369-1519|Monthly| |KARGER +11437|Monatsschrift Kinderheilkunde|Clinical Medicine / Pediatrics|0026-9298|Monthly| |SPRINGER +11438|Mongolian Journal of Biological Sciences| |1684-3908|Semiannual| |NATL UNIV MONGOLIA +11439|Monist| |0026-9662|Quarterly| |HEGELER INST +11440|Monografias de Herpetologia| |1130-8443|Irregular| |ASOC HERPET ESPAN +11441|Monografias de la Academia Nacional de Ciencias Exactas Fisicas Y Naturales| |0327-5426|Irregular| |ACAD NAC CIEN EXACTAS FISICAS NAT +11442|Monografias Del Museo Argentino de Ciencias Naturales| |1515-7652|Irregular| |MUSEO ARGENTINO CIENCIAS NATURALES BERNARDINO RIVADAVIA +11443|Monografias S E A| | |Irregular| |SOC ENTOMOLOGICA ARAGONESA +11444|Monografico Sociedad Andaluza de Entomologia| |1699-2679|Irregular| |SOC ANDALUZA ENTOMOLOGIA +11445|Monografie Bieszczadzkie| | |Irregular| |BIESZCZADZKI PARK NARODOWY +11446|Monografie Di Natura Bresciana| |0390-6639|Irregular| |MUSEO CIVICO SCIENZE NATURALI BRESCIA +11447|Monografie Faunistyczne| |0137-2173|Irregular| |POLISH ACAD SCIENCES +11448|Monografie Parazytologiczne| |0540-6722|Irregular| |POLSKIE TOWARZYSTWO PARAZYTOLOGICZNE +11449|Monografies de la Societat D Historia Natural de Les Balears| |1696-5426|Annual| |SOC HISTORIA NATURAL BALEARS +11450|Monografies Del Museu de Ciencies Naturals-Barcelona| |1695-8950|Irregular| |MUSEU DE CIENCIES NATURALS-ZOOLOGIA +11451|Monograph of the Mizunami Fossil Museum| | |Irregular| |MIZUNAMI FOSSIL MUSEUM +11452|Monograph of the Palaeontographical Society| |0269-3445|Irregular| |PALAEONTOGRAPHICAL SOC +11453|Monographiae Botanicae| |0077-0655|Irregular| |POLSKIE TOWARZYSTWO BOTANICZNE +11454|Monographs of Ibaraki Nature Museum| | |Irregular| |IBARAKI NATURE MUSEUM +11455|Monographs of Marine Mollusca| |0162-8321|Irregular| |BACKHUYS PUBL +11456|Monographs of the Society for Research in Child Development|Psychiatry/Psychology / Child development; Child care; Children; Child Psychology; Growth; Kinderpsychologie; Ontwikkelingspsychologie; Communicatie; Enfants; Éducation des enfants|0037-976X|Tri-annual| |WILEY-BLACKWELL PUBLISHING +11457|Monographs of the Upper Silesian Museum| |1508-9851|Irregular| |UPPER SILESIAN MUSEUM +11458|Monographs of the Western Foundation of Vertebrate Zoology| |0097-0387|Irregular| |WESTERN FOUNDATION VERTEBRATE ZOOLOGY +11459|Monographs of the Western North American Naturalist|Natural history|1545-0228|Irregular| |MONTE L BEAN LIFE SCIENCE MUSEUM +11460|Monographs on Coleoptera| |1027-8869|Irregular| |ZOOLOGISCH-BOTANISCHE GESELLSCHAFT IN OESTERREICH +11461|Monographs on Invertebrate Taxonomy| |1326-5725|Irregular| |CSIRO PUBLISHING +11462|Montana-The Magazine of Western History| |0026-9891|Quarterly| |MONTANA HISTORICAL SOC +11463|Monthly Labor Review|Economics & Business|0098-1818|Monthly| |LEGAL BOOKS DEPOT +11464|Monthly Notices of the Royal Astronomical Society|Space Science / Astronomy / Astronomy / Astronomy|0035-8711|Biweekly| |WILEY-BLACKWELL PUBLISHING +11465|Monthly Review of the Us Bureau of Labor Statistics| |1937-4658|Monthly| |US GOVERNMENT PRINTING OFFICE +11466|Monthly Review-An Independent Socialist Magazine|Social Sciences, general|0027-0520|Monthly| |MONTHLY REVIEW FOUNDATION +11467|Monthly Weather Review|Geosciences / Meteorology; Meteorologie|0027-0644|Monthly| |AMER METEOROLOGICAL SOC +11468|Monticola| |1018-6190|Semiannual| |INT ARBEITSGEMEINSCHAFT ALPENORNITHOLOGIE +11469|Monumenta Nipponica|Cultuur; Civilisation orientale|0027-0741|Quarterly| |MONUMENTA NIPPONICA SOPHIA UNIV +11470|Morphologie|Anatomy|1286-0115|Quarterly| |ASSOC ANATOMISTES +11471|Morskyi Ekolohichnyi Zhurnal| |1684-1557|Tri-annual| |NATL ACAD SCIENCES UKRAINE +11472|Mosaic-A Journal for the Interdisciplinary Study of Literature| |0027-1276|Quarterly| |UNIV MANITOBA +11473|Mosasaur| |0736-3907|Irregular| |DELAWARE VALLEY PALEONTOLOGICAL SOC +11474|Moscosoa| |0254-6442|Irregular| |JARDIN BOTANICO NACIONAL DR RAFAEL M MOSCOSO +11475|Moscow Mathematical Journal|Mathematics|1609-3321|Quarterly| |INDEPENDENT UNIV MOSCOW +11476|Moscow University Physics Bulletin|Physics / Physics; Astronomy; Physique; Astronomie|0027-1349|Bimonthly| |ALLERTON PRESS INC +11477|Motivation and Emotion|Psychiatry/Psychology / Motivation (Psychology); Emotions; Motivation; Motivation (Psychologie); Émotions|0146-7239|Quarterly| |SPRINGER/PLENUM PUBLISHERS +11478|Motor Control|Neuroscience & Behavior|1087-1640|Quarterly| |HUMAN KINETICS PUBL INC +11479|Motriz-Revista de Educacao Fisica|Clinical Medicine|1980-6574|Quarterly| |UNIV ESTADUAL PAULISTA-UNESP +11480|Mount Sinai Journal of Medicine|Clinical Medicine / Medicine|0027-2507|Bimonthly| |JOHN WILEY & SONS INC +11481|Mountain Research and Development|Environment/Ecology / Mountains|0276-4741|Quarterly| |MOUNTAIN RESEARCH & DEVELOPMENT +11482|Mouvement Social|Social Sciences, general / Socialism; Labor movement; Sociale aspecten|0027-2671|Quarterly| |EDITIONS OUVRIERES +11483|Movement Disorders|Clinical Medicine / Movement disorders; Movement Disorders|0885-3185|Semimonthly| |WILEY-LISS +11484|Movimento|Social Sciences, general|0104-754X|Tri-annual| |UNIV FED RIO GRANDE DO SUL +11485|Moyen Age|Middle Ages; Literature, Medieval; Civilization, Medieval; Middeleeuwen; Moyen Âge; Littérature médiévale; Civilisation médiévale|0027-2841|Quarterly| |LE MOYEN AGE BOECK & LARCIER S A +11486|Mrc Technical Paper| |1683-1489|Irregular| |MEKONG RIVER COMMISSION-MRC +11487|Mrs Bulletin|Materials Science|0883-7694|Monthly| |MATERIALS RESEARCH SOC +11488|Msdn Magazine| |1528-4859|Monthly| |MILLER FREEMAN +11489|Mucosal Immunology|Immunology / Mucous membrane|1933-0219|Bimonthly| |NATURE PUBLISHING GROUP +11490|Muelleria| |0077-1813|Annual| |NATL HERBARIUM VICTORIA +11491|Muenchner Geowissenschaftliche Abhandlungen Reihe A Geologie und Palaeontologie| |0177-0950|Irregular| |VERLAG DR FRIEDRICH PFEIL +11492|Muenstersche Forschungen zur Geologie und Palaeontologie| |0368-9654|Irregular| |MUNSTERSCHE FORSCHUNGEN ZUR GEOLOGIE PALAEONTOLOGIE +11493|Multequina| |0327-9375|Irregular| |MULTEQUINA-LATIN AMER JOURNAL NATURAL RESOURCES +11494|Multibody System Dynamics|Engineering / Dynamics; System analysis|1384-5640|Bimonthly| |SPRINGER +11495|Multiciencia-Sao Carlos| |1413-8972|Irregular| |ASSOC ESCOL REUNIDAS +11496|Multidimensional Systems and Signal Processing|Computer Science / Signal processing; System analysis / Signal processing; System analysis|0923-6082|Quarterly| |SPRINGER +11497|Multidisciplinary Respiratory Medicine|Clinical Medicine|1828-695X|Quarterly| |NOVAMEDIA +11498|Multilingua-Journal of Cross-Cultural and Interlanguage Communication|Multilingualism; Language and languages; Language and culture / Multilingualism; Language and languages; Language and culture|0167-8507|Quarterly| |MOUTON DE GRUYTER +11499|Multimedia Systems|Computer Science / Multimedia systems|0942-4962|Bimonthly| |SPRINGER +11500|Multimedia Tools and Applications|Computer Science / Multimedia systems; Multimedia|1380-7501|Monthly| |SPRINGER +11501|Multiple Sclerosis|Neuroscience & Behavior / Multiple sclerosis; Central Nervous System Diseases; Demyelinating Diseases; Inflammation; Multiple Sclerosis|1352-4585|Monthly| |SAGE PUBLICATIONS LTD +11502|Multiscale Modeling & Simulation|Mathematics /|1540-3459|Quarterly| |SIAM PUBLICATIONS +11503|Multitemas| |1414-512X|Irregular| |UNIV CATOLICA DOM BOSCO +11504|Multivariate Behavioral Research|Psychiatry/Psychology / Psychometrics; Psychology, Experimental; Behavior|0027-3171|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +11505|Mundos Subterraneos| |0188-8102|Annual| |UNION MEXICANA AGRUPACIONES ESPELEOLOGICAS A C +11506|Munibe Antropologia-Arkeologia| |1132-2217|Annual| |SOC CIENCIAS NATURALES ARANZADI +11507|Munibe-Ciencias Naturales| |0214-7688|Annual| |SOC CIENCIAS NATURALES ARANZADI +11508|Munis Entomology & Zoology| |1306-3022|Semiannual| |MUNIS RESEARCH GROUP +11509|Muqarnas|Art, Islamic; Architecture, Islamic|0732-2992|Annual| |E J BRILL +11510|Muscle & Nerve|Clinical Medicine / Neuromuscular diseases; Muscles; Nerves; Electrodiagnosis; Muscular Diseases; Nervous System Diseases|0148-639X|Monthly| |JOHN WILEY & SONS INC +11511|Museo Friulano Di Storia Naturale Pubblicazione| |1121-9548|Irregular| |MUSEO FRIULANO STORIA NATURALE - BIBLIOTECA +11512|Museo Nacional de Historia Natural Boletin-Santiago| |0027-3910|Irregular| |MUSEO NACIONAL HISTORIA NATURAL-SANTIAGO +11513|Museo Nacional de Historia Natural Chile Publicacion Ocasional| |0716-0224|Irregular| |MUSEO NACIONAL HISTORIA NATURAL-SANTIAGO +11514|Museo Regionale Di Scienze Naturali Bollettino-Turin| |0392-758X|Semiannual| |MUSEO REGIONALE SCIENZE NATURALI +11515|Museo Regionale Di Scienze Naturali Cataloghi-Turin| |1121-7553|Irregular| |MUSEO REGIONALE SCIENZE NATURALI +11516|Museo Regionale Di Scienze Naturali Monografie-Turin| |1121-7545|Irregular| |MUSEO REGIONALE SCIENZE NATURALI +11517|Museologia Scientifica| |1123-265X|Quarterly| |ASSOC NAZIONALE MUSEI SCI +11518|Museologia Scientifica Memorie| |1972-6848|Irregular| |ASSOC NAZIONALE MUSEI SCI +11519|Museology| |0196-0237|Irregular| |TEXAS TECH UNIV +11520|Museon| |0771-6494|Semiannual| |PEETERS +11521|Museu Bocage Publicacoes Avulsas| |0874-4416|Irregular| |MUSEU NACIONAL HISTORIA NATURAL +11522|Museum International|Museums|1350-0775|Quarterly| |WILEY-BLACKWELL PUBLISHING +11523|Museum of Paleontology Papers on Paleontology| |0148-3838|Irregular| |MUSEUM PALEONTOLOGY +11524|Museum Victoria Science Reports| |1833-0290|Irregular| |MUSEUM VICTORIA +11525|Music & Letters|Music|0027-4224|Quarterly| |OXFORD UNIV PRESS +11526|Music Analysis|Musical analysis; Music|0262-5245|Tri-annual| |WILEY-BLACKWELL PUBLISHING +11527|Music Education Research|Social Sciences, general / Music|1461-3808|Quarterly| |ROUTLEDGE JOURNALS +11528|Music Perception|Social Sciences, general / Music; Musique; Perception de la musique; Auditory Perception|0730-7829|Quarterly| |UNIV CALIFORNIA PRESS +11529|Music Theory Spectrum|Music|0195-6167|Semiannual| |UNIV CALIFORNIA PRESS +11530|Musica Hodie| |1676-3939|Semiannual| |UNIV FEDERAL GOIAS +11531|Musicae Scientiae|Social Sciences, general|1029-8649|Semiannual| |E S C O M-EUROPEAN SOC COGNITIVE SCIENCES MUSIC +11532|Musical Quarterly|Music; Muziek; Musique|0027-4631|Quarterly| |OXFORD UNIV PRESS INC +11533|Musical Times|Music|0027-4666|Quarterly| |MUSICAL TIMES PUBLICATIONS LTD +11534|Musik in Bayern| |0937-583X|Semiannual| |HANS SCHNEIDER +11535|Musik und Kirche| |0027-4771|Bimonthly| |BARENREITER-VERLAG +11536|Musikforschung| |0027-4801|Quarterly| |NEUWERK-BUCH UND MUSIKALIENHANDLUNG +11537|Musiktheorie| |0177-4182|Quarterly| |LAABER-VERLAG +11538|Muslim World|Islam; Missions to Muslims; Missions auprès des musulmans|0027-4909|Tri-annual| |WILEY-BLACKWELL PUBLISHING +11539|Mutagenesis|Molecular Biology & Genetics / Mutagenesis; Mutagenicity Tests; Mutagens; Mutagenèse; Mutagènes|0267-8357|Bimonthly| |OXFORD UNIV PRESS +11540|Mutation Research-Fundamental and Molecular Mechanisms of Mutagenesis|Molecular Biology & Genetics / Genetics; Chromosomes; Chromosome Aberrations; Mutation; Génétique|0027-5107|Monthly| |ELSEVIER SCIENCE BV +11541|Mutation Research-Genetic Toxicology and Environmental Mutagenesis|Molecular Biology & Genetics / Genetic toxicology; Industrial toxicology; Environmental monitoring|1383-5718|Monthly| |ELSEVIER SCIENCE BV +11542|Mutation Research-Reviews in Mutation Research|Molecular Biology & Genetics /|1383-5742|Bimonthly| |ELSEVIER SCIENCE BV +11543|Muttersprache| |0027-514X|Quarterly| |GESELLSCHAFT DEUTSCHE SPRACHE +11544|Muzikoloski Zbornik| |0580-373X|Annual| |UNIV LJUBLJANI ODDELEK MUSIKOLOGIJO +11545|Mycobiology| |1229-8093|Quarterly| |HANRIMWON PUBLISHING COMPANY +11546|Mycologia|Plant & Animal Science / Mycology|0027-5514|Bimonthly| |ALLEN PRESS INC +11547|Mycologia Helvetica| |0256-310X|Semiannual| |SWISS MYCOLOGICAL SOC-SMS +11548|Mycological Progress|Plant & Animal Science / Mycology; Fungi|1617-416X|Quarterly| |SPRINGER HEIDELBERG +11549|Mycopath| |1729-5521|Semiannual| |UNIV PUNJAB +11550|Mycopathologia|Plant & Animal Science / Pathogenic fungi; Mycology; Fungi; Anti-Bacterial Agents; Microbiology; Mycoses / Pathogenic fungi; Mycology; Fungi; Anti-Bacterial Agents; Microbiology; Mycoses|0301-486X|Monthly| |SPRINGER +11551|Mycorrhiza|Plant & Animal Science / Mycorrhizas; Fungi; Plant Roots; Symbiosis|0940-6360|Bimonthly| |SPRINGER +11552|Mycoscience|Plant & Animal Science / Mycology; Fungi|1340-3540|Quarterly| |SPRINGER TOKYO +11553|Mycoses|Microbiology / Pathogenic fungi; Medical mycology; Mycoses|0933-7407|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11554|Mycotaxon|Plant & Animal Science /|0093-4666|Quarterly| |MYCOTAXON LTD +11555|Myotis| |0580-3896|Annual| |ZOOLOGISCHES FORSCHUNGSINSTITUT & MUSEUM ALEXANDER KOENIG +11556|Myriapod Memoranda| | |Irregular| |DR C A W JEEKEL +11557|Myriapodologica| |0163-5395|Irregular| |VIRGINIA MUSEUM NATURAL HISTORY +11558|Myrmecological News|Plant & Animal Science|1994-4136|Irregular| |OESTERREICHISCHE GESELL ENTOMOFAUNISTIK +11559|Mysore Journal of Agricultural Sciences| |0047-8539|Quarterly| |UNIV AGRICULTURAL SCIENCES +11560|Nacc-Nova Acta Cientifica Compostelana Bioloxia| |1130-9717|Annual| |UNIV SANTIAGO COMPOSTELA +11561|Nachrichten aus der Chemie|Chemistry /|1439-9598|Monthly| |GESELLSCHAFT DEUTSCHER CHEMIKER E V +11562|Nachrichten des Entomologischen Vereins Apollo| |0723-9912|Quarterly| |ENTOMOLOGISCHER VEREIN APOLLO E V +11563|Nachrichten des Naturwissenschaftlichen Museums der Stadt Aschaffenburg| |0518-8512|Annual| |NATURWISSENSCHAFTLICHER VEREIN ASCHAFFENBURG +11564|Nachrichtenblatt der Bayerischen Entomologen| |0027-7452|Tri-annual| |VERLAG DR FRIEDRICH PFEIL +11565|Nachrichtenblatt der Ersten Vorarlberger Malakologischen Gesellschaft| |1021-3988|Annual| |ERSTE VORARLBERGER MALAKOLOGISCHE GESELLSCHAFT +11566|Naga| |0116-290X|Quarterly| |INT CTR LIVING AQUATIC RESOURCES MANAGEMENT +11567|Nagasaki Igakkai Zasshi| |0369-3228|Quarterly| |NAGASAKI MEDICAL ASSOC +11568|Nagoya Mathematical Journal|Mathematics|0027-7630|Quarterly| |DUKE UNIV PRESS +11569|Namib Bulletin| |0255-9544|Annual| |DESERT RESEARCH FOUNDATION NAMIBIA +11570|Nanfang Shuichan| |1673-2227|Bimonthly| |SOUTH CHINA SEA FISHERIES RES INST +11571|Nanjing Linye Daxue Xuebao Ziran Kexue Ban| |1000-2006|Bimonthly| |NANJING FORESTRY UNIV +11572|Nanjing Nongye Daxue Xuebao| |1000-2030|Quarterly| |NANJING AGRICULTURAL UNIV +11573|Nanki Seibutu| |0389-7842|Semiannual| |NANKI BIOLOGICAL SOC +11574|NANO|Chemistry / Nonotechnology; Nanoscience; Nanomedicine; Nanotechnology|1793-2920|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +11575|Nano Letters|Chemistry / Nanotechnology; Biotechnology; Miniaturization; Molecular Biology|1530-6984|Monthly| |AMER CHEMICAL SOC +11576|Nano Research|Chemistry /|1998-0124|Monthly| |TSINGHUA UNIV PRESS +11577|Nano Today|Chemistry / Nanotechnology|1748-0132|Quarterly| |ELSEVIER SCI LTD +11578|Nanomedicine|Clinical Medicine / Medical technology; Nanotechnology; Medical innovations; Nanomedicine|1743-5889|Monthly| |FUTURE MEDICINE LTD +11579|Nanomedicine-Nanotechnology Biology and Medicine|Clinical Medicine / Medical technology; Nanotechnology; Medical innovations; Nanotechnologie; Technologie mèdicale; Nanosciences|1549-9634|Quarterly| |ELSEVIER SCIENCE BV +11580|Nanoscale|Chemistry /|2040-3364|Monthly| |ROYAL SOC CHEMISTRY +11581|Nanoscale and Microscale Thermophysical Engineering|Engineering / Heat|1556-7265|Quarterly| |TAYLOR & FRANCIS INC +11582|Nanoscale Research Letters|Chemistry / Nanotechnology|1931-7573|Monthly| |SPRINGER +11583|Nanotechnology|Materials Science / Nanotechnology|0957-4484|Weekly| |IOP PUBLISHING LTD +11584|Nanotoxicology|Pharmacology & Toxicology /|1743-5390|Quarterly| |INFORMA HEALTHCARE +11585|Nara Sangyo University Journal of Industrial Economics| |0915-9789|Quarterly| |NARA SANGYO DAIGAKU KEIZAI GAKKAI +11586|Narrative| |1063-3685|Tri-annual| |OHIO STATE UNIV PRESS +11587|Narrative Inquiry|Social Sciences, general / Narration (Rhetoric); Oral history|1387-6740|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +11588|Natagora| |1780-3756|Bimonthly| |NATAGORA +11589|Nation|Social Sciences, general|0027-8378|Weekly| |NATION CO INC +11590|National Academy Science Letters-India|Geosciences|0250-541X|Bimonthly| |NATL ACAD SCIENCES INDIA +11591|National Collections of Natural History Tel Aviv University Annual Report| | |Annual| |TEL AVIV UNIV +11592|National Geographic| |0027-9358|Monthly| |NATL GEOGRAPHIC SOC +11593|National Income Tax Magazine| |8755-2248|Monthly| |COMMERCE CLEARING HOUSE INC +11594|National Medical Journal of India|Clinical Medicine|0970-258X|Bimonthly| |ALL INDIA INST MEDICAL SCIENCES +11595|National Museum of Nature and Science Monographs| |1881-9109|Irregular| |NATL SCIENCE MUSEUM TOKYO +11596|National Museum of Wales Geological Series| |0962-0575|Irregular| |NATL MUSEUM WALES +11597|National Science Museum Monographs| |1342-9574|Irregular| |NATL SCIENCE MUSEUM TOKYO +11598|National Taiwan Museum Special Publication Series| |1607-5722|Irregular| |NATIONAL TAIWAN MUSEUM +11599|National Tax Journal|Economics & Business|0028-0283|Quarterly| |NATL TAX ASSOC +11600|National Tax Magazine| |8755-223X|Monthly| |COMMERCE CLEARING HOUSE INC +11601|National Vocational Guidance Association Bulletin| | | | |AMER COUNSELING ASSOC +11602|Nationalpark Berchtesgaden Forschungsbericht| |0172-0023|Irregular| |NATIONALPARKVERWALTUNG BERCHTESGADEN +11603|Nationalpark-Forschung in der Schweiz| |1022-9493|Irregular| |SCHWEIZERISCHER NATIONALPARK +11604|Nations and Nationalism|Social Sciences, general /|1354-5078|Quarterly| |WILEY-BLACKWELL PUBLISHING +11605|Natsca News| |1741-3974|Tri-annual| |NATURAL SCIENCES COLLECTIONS ASSOC +11606|Natturufraedingurinn| |0028-0550|Quarterly| |ISLENSKA NATTURUFRAEDIFELAG +11607|Natur I Norr| |0280-5618|Semiannual| |NATUR I NORR +11608|Natur Og Museum-Arhus| |0028-0585|Quarterly| |NATURHISTORISK MUSEUM +11609|Natur und Heimat| |0028-0593|Quarterly| |WESTFAELISCHES MUSEUM NATURKUNDE +11610|Natur und Mensch-Nuremberg| |0077-6025|Annual| |NATURHISTORISCHE GESELLSCHAFT NUERNBERG E V +11611|Natur und Museum| |0028-1301|Monthly| |SENCKENBERGISCHE NATURFORSCHENDE GESELLSCHAFT +11612|Natura| |0028-0631|Bimonthly| |KONINKLIJKE NEDERLANDSE NATUURHISTORISCHE VERENIGING-KNNV +11613|Natura Alpina| |0392-4149|Quarterly| |MUSEO TRIDENTINO SCIENZE NATURALI +11614|Natura Bresciana| |0391-156X|Irregular| |MUSEO CIVICO SCIENZE NATURALI BRESCIA +11615|Natura Carpatica| |1335-3535|Annual| |VYCHODOSLOVENSKE MUZEUM V KOSICIACH +11616|Natura Croatica| |1330-0520|Semiannual| |CROATIAN NATURAL HISTORY MUSEUM +11617|Natura Jutlandica Occasional Papers| |1399-6010|Irregular| |NATURAL HISTORY MUSEUM-ARHUS +11618|Natura Modenese| |1127-2716|Annual| |CENTRO ITALIANO STUDI NIDI ARTIFICIALI +11619|Natura Montenegrina| |1800-7155|Tri-annual| |NATURAL HISTORY MUSEUM MONTENEGRO +11620|Natura Mosana| |0028-0666|Quarterly| |SOC NATURALISTES NAMUR-LUXEMBOURG +11621|Natura Nascosta| |1590-9522|Semiannual| |GRUPPO SPELEOLOGICO MONFALCONESE A D F +11622|Natura Pragensis| |0862-366X|Irregular| |AGENTURA OCHRANY PRIRODY KRAJINY CR +11623|Natura Sloveniae| |1580-0814|Semiannual| |ZVEZA TEHNICNO KULTURO SLOVENIJE +11624|Natura Somogyiensis| |1587-1908|Irregular| |SOMOGY MEGYEI MUZEUMOK IGAZGATOSAGA +11625|Natura-Milan| |0369-6243|Quarterly| |SOC ITALIANA SCIENZE NATURALI +11626|Natural Areas Journal|Environment/Ecology / Natural areas; Nature conservation|0885-8608|Quarterly| |NATURAL AREAS ASSOC +11627|Natural Computing|Science; Biology; Computational Biology; Computermethoden; Natuurwetenschappen|1567-7818|Quarterly| |SPRINGER +11628|Natural Hazards|Geosciences / Natural disasters; Hazard mitigation|0921-030X|Monthly| |SPRINGER +11629|Natural Hazards and Earth System Sciences|Geosciences|1561-8633|Bimonthly| |COPERNICUS GESELLSCHAFT MBH +11630|Natural History|Environment/Ecology|0028-0712|Monthly| |NATURAL HISTORY MAGAZINE +11631|Natural History Bulletin of Ibaraki University| |1343-0955|Annual| |ASSOC NATURAL HISTORY STUDIES +11632|Natural History Bulletin of the Siam Society| |0080-9462|Irregular| |SIAM SOC +11633|Natural History Journal of Chulalongkorn University| |1513-9700|Semiannual| |NATURAL HISTORY MUSEUM CHULALONGKORN UNIV +11634|Natural History Museum of Los Angeles County-Science Series| |0076-0943|Irregular| |NATURAL HISTORY MUSEUM LOS ANGELES COUNTY +11635|Natural History Report of Kanagawa| |0388-9009|Annual| |KANAGAWA PREFECTURAL MUSEUM NATURAL HISTORY +11636|Natural History Research| |0915-9444|Annual| |NATURAL HISTORY MUSEUM & INST +11637|Natural Language & Linguistic Theory|Social Sciences, general / Linguistics; Natuurlijke taal; Taalwetenschap; Linguistique / Linguistics; Natuurlijke taal; Taalwetenschap; Linguistique|0167-806X|Quarterly| |SPRINGER +11638|Natural Language Engineering|Natural language processing (Computer science); Software engineering|1351-3249|Quarterly| |CAMBRIDGE UNIV PRESS +11639|Natural Language Semantics|Social Sciences, general / Semantics; Grammar, Comparative and general|0925-854X|Quarterly| |SPRINGER +11640|Natural Product Communications|Chemistry|1934-578X|Monthly| |NATURAL PRODUCTS INC +11641|Natural Product Reports|Chemistry / Natural products; Biological Products; Chemistry, Organic|0265-0568|Monthly| |ROYAL SOC CHEMISTRY +11642|Natural Product Research|Biology & Biochemistry / Natural products; Biological Factors; Biological Products|1478-6419|Semimonthly| |TAYLOR & FRANCIS LTD +11643|Natural Resource Modeling|Mathematics / / Conservation of natural resources; Ecology|0890-8575|Quarterly| |WILEY-BLACKWELL PUBLISHING +11644|Natural Resources Forum|Social Sciences, general /|0165-0203|Quarterly| |WILEY-BLACKWELL PUBLISHING +11645|Natural Resources Journal|Social Sciences, general|0028-0739|Quarterly| |UNIV NEW MEXICO +11646|Natural Science Report of the Ochanomizu University| |0029-8190|Semiannual| |OCHANOMZUI UNIV +11647|Natural Sciences Journal of the Faculty of Education and Human Sciences Yokohama National University| |1344-4646|Annual| |YOKOHAMA NATL UNIV +11648|Naturaleza Aragonesa| |1138-8013|Irregular| |SOC AMIGOS MUSEO PALEONTOLOGICO UNIV ZARAGOZA-SAMPUZ +11649|Naturalia-Rio Claro| |0101-1944|Annual| |UNIV ESTADUAL PAULISTA-UNESP +11650|Naturalist| |0028-0771|Quarterly| |YORKSHIRE NATURALISTS UNION +11651|Naturalista Campano| |1827-7160|Irregular| |MUSEO NATURALISTICO DEGLI ALBURNI +11652|Naturalista Siciliano| |0394-0063|Quarterly| |SOC SICILIANA SCIENZE NATURALI +11653|Naturalista Valtellinese| |1120-6519|Annual| |MUSEO CIVICO STORIA NATURALE +11654|Naturalistae| |1349-7731|Annual| |OKAYAMA UNIV SCI +11655|Naturaliste Canadien| |0028-0798|Bimonthly| |LA SOC PROVANCHER HISTOIRE NATURELLE CANADA +11656|Naturaliste Vendeen| |1629-9221|Annual| |NATURALISTES VENDEENS +11657|Naturalistes Belges| |0028-0801|Irregular| |NATURALISTES BELGES ASBL +11658|Nature|Multidisciplinary / Science; Sciences; Biologie; Physique; CIENCIA; Natuurwetenschappen; NATURAL HISTORY; BIOLOGY; SCIENCE|0028-0836|Weekly| |NATURE PUBLISHING GROUP +11659|Nature & Faune| | |Irregular| |FOOD & AGRIC ORG UNITED NATIONS-FAO REGIONAL OFF AFRICA +11660|Nature Alberta| |1713-8639|Quarterly| |FEDERATION ALBERTA NATURALISTS +11661|Nature and Human Activities| |1342-0054|Annual| |MUSEUM NATURE & HUMAN ACTIVITIES +11662|Nature Biotechnology|Biology & Biochemistry / Biochemical engineering; Biotechnology; Génie biochimique; Biotechnologie / Biochemical engineering; Biotechnology; Génie biochimique; Biotechnologie|1087-0156|Monthly| |NATURE PUBLISHING GROUP +11663|Nature Cell Biology|Molecular Biology & Genetics / Cytology; Cells; Cytologie; Cellules|1465-7392|Monthly| |NATURE PUBLISHING GROUP +11664|Nature Chemical Biology|Biology & Biochemistry / Biochemistry|1552-4450|Monthly| |NATURE PUBLISHING GROUP +11665|Nature Chemistry|Chemistry /|1755-4330|Monthly| |NATURE PUBLISHING GROUP +11666|Nature Conservation| |1643-9252|Annual| |POLISH ACAD SCIENCES +11667|Nature East Africa| |1813-7377|Semiannual| |NATL MUSEUMS KENYA +11668|Nature Environment and Pollution Technology| |0972-6268|Quarterly| |TECHNOSCIENCE PUBLICATIONS +11669|Nature Genetics|Molecular Biology & Genetics / Human genetics; Genetics, Medical / Human genetics; Genetics, Medical|1061-4036|Monthly| |NATURE PUBLISHING GROUP +11670|Nature Geoscience|Geosciences / Earth sciences|1752-0894|Monthly| |NATURE PUBLISHING GROUP +11671|Nature Immunology|Immunology / Immunology; Immunologie; Immunity; Immune System; Immunotherapy|1529-2908|Monthly| |NATURE PUBLISHING GROUP +11672|Nature in Cambridgeshire| |0466-6046|Annual| |NATURE CAMBRIDGESHIRE +11673|Nature in Eurobodalla| |1322-2538|Annual| |EUROBODALLA NATURAL HISTORY SOC +11674|Nature in Singapore| | |Annual| |RAFFLES MUSEUM BIODIVERSITY RES +11675|Nature Journal-Opole| |0474-2931|Annual| |OPOLE UNIV +11676|Nature Materials|Materials Science / Materials science; Materials; Biomedical and Dental Materials; Manufactured Materials|1476-1122|Monthly| |NATURE PUBLISHING GROUP +11677|Nature Medicine|Clinical Medicine / Pathology, Molecular; Molecular biology; Medicine; Molecular Biology / Pathology, Molecular; Molecular biology; Medicine; Molecular Biology|1078-8956|Monthly| |NATURE PUBLISHING GROUP +11678|Nature Methods|Multidisciplinary / Biology; Biomedical Research; Research Design|1548-7091|Monthly| |NATURE PUBLISHING GROUP +11679|Nature Nanotechnology|Materials Science / Nanotechnology; Ultrastructure (Biology)|1748-3387|Monthly| |NATURE PUBLISHING GROUP +11680|Nature Neuroscience|Neuroscience & Behavior / Neurosciences|1097-6256|Monthly| |NATURE PUBLISHING GROUP +11681|Nature Photonics|Physics / Photonics|1749-4885|Monthly| |NATURE PUBLISHING GROUP +11682|Nature Physics| |1745-2473|Monthly| |NATURE PUBLISHING GROUP +11683|Nature Protocols|Biology & Biochemistry / Biology; Chemistry; Medical protocols; Laboratory Techniques and Procedures; Biomedical Research|1754-2189|Quarterly| |NATURE PUBLISHING GROUP +11684|Nature Reviews Cancer|Clinical Medicine /|1474-175X|Monthly| |NATURE PUBLISHING GROUP +11685|Nature Reviews Cardiology|Clinical Medicine /|1759-5002|Monthly| |NATURE PUBLISHING GROUP +11686|Nature Reviews Clinical Oncology|Clinical Medicine /|1759-4774|Monthly| |NATURE PUBLISHING GROUP +11687|Nature Reviews Drug Discovery|Pharmacology & Toxicology / Drugs; Pharmaceutical chemistry; Pharmaceutical Preparations; Research / Drugs; Pharmaceutical chemistry; Pharmaceutical Preparations; Research /|1474-1776|Monthly| |NATURE PUBLISHING GROUP +11688|Nature Reviews Endocrinology|Clinical Medicine /|1759-5029|Monthly| |NATURE PUBLISHING GROUP +11689|Nature Reviews Gastroenterology & Hepatology|Clinical Medicine /|1759-5045|Monthly| |NATURE PUBLISHING GROUP +11690|Nature Reviews Genetics|Molecular Biology & Genetics / Genetics|1471-0056|Monthly| |NATURE PUBLISHING GROUP +11691|Nature Reviews Immunology|Immunology /|1474-1733|Monthly| |NATURE PUBLISHING GROUP +11692|Nature Reviews Microbiology|Microbiology / Microbiology; Infection; Bacterial diseases; Bacterial Infections|1740-1526|Monthly| |NATURE PUBLISHING GROUP +11693|Nature Reviews Molecular Cell Biology|Molecular Biology & Genetics / Cytology; Molecular biology; Cells; Molecular Biology|1471-0072|Monthly| |NATURE PUBLISHING GROUP +11694|Nature Reviews Nephrology|Clinical Medicine /|1759-5061|Monthly| |NATURE PUBLISHING GROUP +11695|Nature Reviews Neurology|Clinical Medicine /|1759-4758|Monthly| |NATURE PUBLISHING GROUP +11696|Nature Reviews Neuroscience|Neuroscience & Behavior / Neurosciences|1471-0048|Monthly| |NATURE PUBLISHING GROUP +11697|Nature Reviews Rheumatology|Clinical Medicine /|1759-4790|Monthly| |NATURE PUBLISHING GROUP +11698|Nature Reviews Urology|Clinical Medicine /|1759-4812|Monthly| |NATURE PUBLISHING GROUP +11699|Nature Structural & Molecular Biology|Biology & Biochemistry / Molecular biology; Molecular Biology; Molecular Structure; Cells|1545-9985|Monthly| |NATURE PUBLISHING GROUP +11700|Naturen| |0028-0887|Bimonthly| |UNIVERSITETSFORLAGET +11701|Natureza & Conservação|Environment/Ecology /|1679-0073|Semiannual| |FUNDACAO BOTICARIO PROTECAO NATUREZA +11702|Naturkundliches Jahrbuch der Stadt Linz| |0374-0374|Irregular| |NATURKUNDLICHE STATION STADT LINZ +11703|Naturschutz Im Land Sachsen-Anhalt| |0940-6638|Semiannual| |LANDESAMT UMWELTSCHUTZ SACHSEN-ANHALT +11704|Naturschutz und Landschaftsplanung| |0940-6808|Monthly| |EUGEN ULMER GMBH CO +11705|Naturschutzreport| |0863-2448|Irregular| |THUERINGER LANDESANSTALT UMWELT GEOLOGIE +11706|Naturspiegel| |1619-7046|Quarterly| |NABU LANDESVERBAND SACHSEN E V +11707|Naturwissenschaften|Multidisciplinary / Science|0028-1042|Monthly| |SPRINGER +11708|Naturwissenschaftlicher Verein Darmstadt Bericht N F| |0470-3979|Irregular| |DARMSTAEDTER ECHO +11709|Natuurhistorisch Maandblad| |0028-1107|Monthly| |NATUURHISTORISCH GENOOTSCHAP IN LIMBURG +11710|Nauchnye Issledovaniya V Zoologicheskikh Parkakh| | |Irregular| |MOSKOVSKII ZOOLOGICHESKII PARK +11711|Nauka Za Gorata| |0861-007X|Quarterly| |FOREST RESEARCH INST +11712|Naukovi Zapysky Derzhavnogo Prirodoznauchogo Muzeyu Lviv| | |Irregular| |STATE MUSEUM NATURAL HISTORY +11713|Naukovy Visnik Uzhgorodskoho Universitety Seriya Biologiya| | | | |UZHGOROD NATL UNIV +11714|Naunyn-Schmiedebergs Archiv für Experimentelle Pathologie und Pharmakologie|Pharmacology|0365-2009|Annual| |SPRINGER +11715|Naunyn-Schmiedebergs Archives of Pharmacology|Pharmacology & Toxicology / Pharmacology / Pharmacology / Pharmacology / Pharmacology|0028-1298|Monthly| |SPRINGER +11716|Nauplius| |0104-6497|Annual| |SOC BRASILEIRA CARCINOLOGIA +11717|Nautilus|Plant & Animal Science|0028-1344|Quarterly| |BAILEY-MATTHEWS SHELL MUSEUM +11718|Naval Architect|Engineering|0306-0209|Monthly| |ROYAL INST NAVAL ARCHITECTS +11719|Naval Engineers Journal|Engineering /|0028-1425|Quarterly| |AMER SOC NAVAL ENG INC +11720|Naval Research Logistics|Engineering / Logistics, Naval; Statistiek|0894-069X|Bimonthly| |JOHN WILEY & SONS INC +11721|Navorsinge van die Nasionale Museum-Bloemfontein| |0067-9208|Irregular| |NATL MUSEUM NATURAL HISTORY +11722|Ncasi Technical Bulletin| |0886-0882|Irregular| |NATL COUNCIL AIR & STREAM IMPROVEMENT +11723|Ndgs Newsletter| |0889-3594|Semiannual| |NORTH DAKOTA GEOLOGICAL SURVEY +11724|NDT & E International|Materials Science / Nondestructive testing|0963-8695|Bimonthly| |ELSEVIER SCI LTD +11725|Near Eastern Archaeology|Archaeology; Excavations (Archaeology); Archeologie; Bijbelse archeologie; Fouilles (Archéologie); Archéologie; Fouilles archéologiques; Religion|1094-2076|Quarterly| |AMER SCHS ORIENTAL RESEARCH +11726|Near Surface Geophysics|Geosciences /|1569-4445|Bimonthly| |EUROPEAN ASSOC GEOSCIENTISTS & ENGINEERS +11727|Nebraska Bird Review| |0028-1816|Quarterly| |NEBRASKA ORNITHOLOGISTS UNION +11728|Nebraska Mortar and Pestle| |0028-1891|Monthly| |NEBRASKA PHARMACISTS ASSOC +11729|Nebraska Symposium on Motivation|Psychiatry/Psychology|0146-7875|Annual| |SPRINGER +11730|Nederlands Tijdschrift Voor Geneeskunde|Clinical Medicine|0028-2162|Irregular| |BOHN STAFLEU VAN LOGHUM BV +11731|Nederlandsche Commissie Voor Internationale Natuurbescherming Mededelingen| |0923-5981|Irregular| |NEDERLANDSCHE COMMISSIE VOOR INT NATUURBESCHERMING +11732|Nederlandse Faunistische Mededelingen| |0169-2453|Irregular| |CENTRAAL BUREAU NEDERLAND VAN EUROPEAN INVERTEBRATE SURVEY +11733|Nefrologia|Clinical Medicine|0211-6995|Quarterly| |SOC ESPANOLA NEFROLOGIA DR RAFAEL MATESANZ +11734|Negotiation Journal|Economics & Business / Conflict management; Negotiation; Dispute resolution (Law); Onderhandelen; Conflictmanagement|0748-4526|Quarterly| |WILEY-BLACKWELL PUBLISHING +11735|Neilreichia| |1681-5947|Annual| |VEREIN ZUR ERFORSCHUNG DER FLORA OSTERREICHS +11736|Neimongol Daxue Xuebao Ziran Kexue Ban| |1000-1638|Quarterly| |CHINA INT BOOK TRADING CORP +11737|Nematologia Brasileira| |0102-2997|Semiannual| |SOC BRASILEIRA NEMATOLOGIA +11738|Nematologia Mediterranea| |0391-9749|Semiannual| |EDIZIONI ETS +11739|Nematology|Plant & Animal Science / Nematoda; Nematodes; Nematologie|1388-5545|Bimonthly| |BRILL ACADEMIC PUBLISHERS +11740|Nematropica|Plant & Animal Science|0099-5444|Semiannual| |ORGANIZATION TROP AMER NEMATOLOGISTS +11741|Nemouria| |0085-3887|Irregular| |DELAWARE MUSEUM NATURAL HISTORY +11742|Neodiversity| |1809-5348|Irregular| |NEODIVERSITY +11743|Neohelicon|Literature, Comparative; Littérature comparée|0324-4652|Semiannual| |SPRINGER +11744|Neonatology|Neonatology; Newborn infants; Fetus; Infant, Newborn|1661-7800|Bimonthly| |KARGER +11745|Neophilologus|Philology, Modern|0028-2677|Quarterly| |SPRINGER +11746|Neoplasia|Clinical Medicine / Cancer; Neoplasms|1522-8002|Monthly| |NEOPLASIA PRESS +11747|Neoplasma|Clinical Medicine /|0028-2685|Bimonthly| |VEDA +11748|Neotropica-La Plata| |0548-1686|Annual| |SOC ZOOLOGICA PLATA +11749|Neotropical Biology and Conservation|Biology; Ecology; Conservation of natural resources|1809-9939|Tri-annual| |UNIV VALE DORIO SINOS-UNISINOS +11750|Neotropical Diptera| |1982-7121|Quarterly| |UNIV SAO PAULO +11751|Neotropical Entomology|Plant & Animal Science / Entomology; Insects; Insect pests|1519-566X|Bimonthly| |ENTOMOLOGICAL SOC BRASIL +11752|Neotropical Helminthology| |1995-1043|Semiannual| |ASOC PERUANA HELMINTOLOGIA & INVERTEBRADOS AFINES +11753|Neotropical Ichthyology|Plant & Animal Science /|1679-6225|Quarterly| |SOC BRASILEIRA ICTIOLOGIA +11754|Neotropical Primates|Primates; Wildlife conservation|1413-4705|Quarterly| |CENTER APPLIED BIODIVERSITY SCIENCE +11755|Nepal Journal of Science and Technology| |1994-1412| | |ROYAL NEPAL ACAD SCIENCE & TECH-RONAST +11756|Nephrologie & Therapeutique|Clinical Medicine / Kidney Diseases; Renal Dialysis|1769-7255|Bimonthly| |ELSEVIER MASSON +11757|Nephrology|Clinical Medicine / Nephrology; Kidneys; Nephrologists; Kidney Diseases / Nephrology; Kidneys; Nephrologists; Kidney Diseases|1320-5358|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11758|Nephrology Dialysis Transplantation|Clinical Medicine / Kidneys; Nephrology; Hemodialysis; Kidney Transplantation; Renal Dialysis; Nieren; Transplantatie; Hemodialyse|0931-0509|Monthly| |OXFORD UNIV PRESS +11759|Nephrology Nursing Journal|Social Sciences, general|1526-744X|Bimonthly| |JANNETTI PUBLICATIONS +11760|Nephron Clinical Practice|Clinical Medicine / Kidneys; Kidney Diseases; Kidney Transplantation; Renal Dialysis|1660-2110|Monthly| |KARGER +11761|Nephron Experimental Nephrology|Clinical Medicine / Kidneys; Kidney; Biology; Cells; Kidney Diseases|1660-2129|Monthly| |KARGER +11762|Nephron Physiology|Biology & Biochemistry / Kidneys; Kidney; Cells; Urinary Tract; Urinary Tract Physiology|1660-2137|Monthly| |KARGER +11763|Neptunea| |1378-2029|Monthly| |BELGISCHE VERENIGING VOOR CONCHYLIOLOGIE AFDELING KUST +11764|Neri Technical Report| |0905-815X|Irregular| |NATL ENVIRONMENT RESEARCH INST +11765|Nervenarzt|Clinical Medicine / Neurology; Medicine, Psychosomatic; Psychosomatic Medicine|0028-2804|Monthly| |SPRINGER +11766|Nervenheilkunde|Clinical Medicine|0722-1541|Monthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +11767|Nervous and Mental Disease Monograph Series| | |Annual| |JOURNAL NERVOUS & MENTAL DISEASE +11768|Nervous Child| |0099-4286|Quarterly| |PHILOSOPHICAL LIBRARY INC +11769|Netherlands Heart Journal|Clinical Medicine /|0929-7456|Monthly| |BOHN STAFLEU VAN LOGHUM BV +11770|Netherlands Journal of Geosciences-Geologie En Mijnbouw|Geosciences / Geology; Mines and mineral resources / Geology; Mines and mineral resources|0016-7746|Quarterly| |VEENMAN DRUKKERS +11771|Netherlands Journal of Medicine|Clinical Medicine / Internal medicine; Internal Medicine|0300-2977|Monthly| |VAN ZUIDEN COMMUNICATIONS +11772|Netherlands Quarterly of Human Rights|Social Sciences, general / Human rights|0169-3441|Quarterly| |INTERSENTIA NV +11773|Network-Computation in Neural Systems|Engineering / Neural networks (Computer science); Neural computers; Neural Networks (Computer); Neurale netwerken|0954-898X|Quarterly| |INFORMA HEALTHCARE +11774|Networks|Computer Science / Network analysis (Planning); System analysis; Systèmes, Analyse de; Analyse de réseau (Planification); Computernetwerken|0028-3045|Bimonthly| |JOHN WILEY & SONS INC +11775|Networks & Spatial Economics|Economics & Business / Space in economics; Infrastructure (Economics); Wegverkeer; Verkeerswetenschap; Modeltheorie|1566-113X|Quarterly| |SPRINGER +11776|Networks and Heterogeneous Media|Computer Science /|1556-1801|Quarterly| |AMER INST MATHEMATICAL SCIENCES +11777|Neue Brehm-Buecherei| |0138-1423|Irregular| |WESTARP WISSENSCHAFTEN +11778|Neue Denkschriften des Naturhistorischen Museums in Wien| |1016-605X|Annual| |FERDINAND BERGER SOEHNE +11779|Neue Entomologische Nachrichten| |0722-3773|Irregular| |NEUE ENTOMOLOGISCHE NACHRICHTEN +11780|Neue Palaeontologische Abhandlungen| |0948-0331|Irregular| |CPRESS VERLAG HANNES LOSER +11781|Neue Rundschau| |0028-3347|Quarterly| |S FISCHER VERLAG GMBH +11782|Neue Zeitschrift fur Musik| |0945-6945|Bimonthly| |SCHOTT MUSIC GMBH & CO KG +11783|Neue Zeitschrift für Systematische Theologie und Religionsphilosophie|Theology, Doctrinal; Religion; Theology; Systematische theologie; Godsdienstfilosofie|0028-3517|Tri-annual| |WALTER DE GRUYTER & CO +11784|Neues Jahrbuch fur Geologie und Paläontologie - Abhandlungen|Geosciences / Geology; Paleontology; Geologie; Paleontologie|0077-7749|Monthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +11785|Neues Jahrbuch fur Mineralogie-Abhandlungen|Geosciences / Mineralogy; Mineralogie / Mineralogy; Mineralogie|0077-7757|Bimonthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +11786|Neujahrsblatt Herausgegeben von der Naturforschenden Gesellschaft in Zuerich| |0379-1327|Annual| |KOPRINT AG +11787|Neuphilologische Mitteilungen| |0028-3754|Quarterly| |MODERN LANGUAGE SOC +11788|Neural Computation|Engineering / Neural computers; Neural Networks (Computer); Neurale netwerken|0899-7667|Monthly| |M I T PRESS +11789|Neural Computing & Applications|Engineering / Neural networks (Computer science); Neural circuitry; Artificial intelligence; Neural Networks (Computer) / Neural networks (Computer science); Neural circuitry; Artificial intelligence; Neural Networks (Computer)|0941-0643|Quarterly| |SPRINGER +11790|Neural Development|Neuroscience & Behavior / Neurology; Nervous system; Nervous System|1749-8104|Monthly| |BIOMED CENTRAL LTD +11791|Neural Network World|Computer Science|1210-0552|Bimonthly| |ACAD SCIENCES CZECH REPUBLIC +11792|Neural Networks|Engineering / Neural computers; Neural networks (Computer science); Neural networks (Neurobiology); Nerve Net; Nervous System|0893-6080|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +11793|Neural Plasticity|Neuroscience & Behavior / Nerve Tissue; Neuronal Plasticity|0792-8483|Irregular| |HINDAWI PUBLISHING CORPORATION +11794|Neural Processing Letters|Neuroscience & Behavior / Neural networks (Computer science); Neurale netwerken; Kunstmatige intelligentie|1370-4621|Bimonthly| |SPRINGER +11795|Neural Regeneration Research|Neuroscience & Behavior /|1673-5374|Semimonthly| |SHENYANG EDITORIAL DEPT NEURAL REGENERATION RES +11796|Neuro-Oncology|Clinical Medicine / Brain; Brain Neoplasms|1522-8517|Quarterly| |OXFORD UNIV PRESS INC +11797|Neuro-Ophthalmology|Clinical Medicine / Neuroophthalmology; Neurology; Ophthalmology; Neuro-oftalmologie|0165-8107|Bimonthly| |TAYLOR & FRANCIS INC +11798|Neurobiology of Aging|Neuroscience & Behavior / Brain; Central nervous system; Neurobiology; Aging; Neurophysiology; Cerveau; Vieillissement; Neurophysiologie; Système nerveux central; Neurobiologie|0197-4580|Bimonthly| |ELSEVIER SCIENCE INC +11799|Neurobiology of Disease|Neuroscience & Behavior / Nervous system; Neurology; Neurobiology; Système nerveux; Neurologie; Neurobiologie; Nervous System Diseases; Neurosciences|0969-9961|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11800|Neurobiology of Learning and Memory|Neuroscience & Behavior / Memory; Learning; Neurobiology|1074-7427|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11801|Neurocase|Clinical Medicine / Neuropsychology; Neuropsychiatry; Mental Disorders; Nervous System Diseases; Neuropsychologie; Neuropsychiatrie|1355-4794|Bimonthly| |ROUTLEDGE JOURNALS +11802|Neurochemical Journal|Neuroscience & Behavior / Neurochemistry|1819-7124|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +11803|Neurochemical Research|Neuroscience & Behavior / Neurochemistry; Research; Neurochemie; Neurochimie|0364-3190|Monthly| |SPRINGER/PLENUM PUBLISHERS +11804|Neurochemistry International|Neuroscience & Behavior / Neurochemistry; Neurochimie|0197-0186|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +11805|Neurochirurgie|Clinical Medicine / Neurosurgery|0028-3770|Bimonthly| |MASSON EDITEUR +11806|Neurocirugía|Clinical Medicine /|1130-1473|Bimonthly| |SOC ESPANOLA NEUROCIRUGIA +11807|Neurocomputing|Engineering / Neural computers; Artificial intelligence|0925-2312|Bimonthly| |ELSEVIER SCIENCE BV +11808|Neurocritical Care|Neuroscience & Behavior / Nervous System Diseases; Critical Care|1541-6933|Bimonthly| |HUMANA PRESS INC +11809|Neurodegenerative Diseases|Neuroscience & Behavior / Nervous system; Neurodegenerative Diseases|1660-2854|Bimonthly| |KARGER +11810|Neuroendocrinology|Neuroscience & Behavior / Neuroendocrinology; Neuro-endocrinologie; Neuroendocrinologie|0028-3835|Monthly| |KARGER +11811|Neuroendocrinology Letters|Biology & Biochemistry|0172-780X|Bimonthly| |MAGHIRA & MAAS PUBLICATIONS +11812|Neuroepidemiology|Neuroscience & Behavior / Nervous system; Nervous System Diseases; Epidemiologie; Neurologie|0251-5350|Bimonthly| |KARGER +11813|Neuroforum|Neuroscience & Behavior|0947-0875|Quarterly| |SPEKTRUM AKAD VERLAG +11814|Neurogastroenterology and Motility|Clinical Medicine / Gastrointestinal system; Biliary Tract; Enteric Nervous System; Gastrointestinal Motility / Gastrointestinal system; Biliary Tract; Enteric Nervous System; Gastrointestinal Motility|1350-1925|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11815|Neurogenetics|Biology & Biochemistry / Neurogenetics; Nervous system; Neurophysiology; Nervous System Diseases; Nervous System Physiology; Neurogénétique; Système nerveux; Neurologie; Genetica|1364-6745|Quarterly| |SPRINGER +11816|NeuroImage|Neuroscience & Behavior / Brain; Diagnostic Imaging; Nervous System Diseases|1053-8119|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11817|Neuroimaging Clinics of North America|Neuroscience & Behavior / Diagnostic imaging; Diagnostic Imaging; Nervous System Diseases|1052-5149|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +11818|NeuroImmunoModulation|Neuroscience & Behavior / Neuroimmunology; Neuroimmunomodulation|1021-7401|Bimonthly| |KARGER +11819|Neuroinformatics|Neuroscience & Behavior / Neuroinformatics; Neurosciences; Neural Networks (Computer); Models, Neurological; Computer Simulation|1539-2791|Quarterly| |HUMANA PRESS INC +11820|Neurología|Neuroscience & Behavior /|0213-4853|Monthly| |GRUPO ARS XXI COMUNICACION S L +11821|Neurologia Croatica|Clinical Medicine|0353-8842|Irregular| |UNIV HOSPITAL ZAGREB +11822|Neurologia I Neurochirurgia Polska|Neuroscience & Behavior|0028-3843|Bimonthly| |TERMEDIA PUBLISHING HOUSE LTD +11823|Neurologia medico-chirurgica|Clinical Medicine / Nervous system; Neurosurgery|0470-8105|Monthly| |JAPAN NEUROSURGICAL SOC +11824|Neurologic Clinics|Clinical Medicine / Neurology; Nervous system|0733-8619|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +11825|Neurological Research|Neuroscience & Behavior / Neurology|0161-6412|Bimonthly| |MANEY PUBLISHING +11826|Neurological Sciences|Neuroscience & Behavior / Neurosciences; Neurologie|1590-1874|Bimonthly| |SPRINGER +11827|Neurologist|Clinical Medicine / Nervous system; Nervous System Diseases|1074-7931|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +11828|Neurology|Neuroscience & Behavior / Neurology|0028-3878|Semimonthly| |LIPPINCOTT WILLIAMS & WILKINS +11829|Neurology Asia|Neuroscience & Behavior|1823-6138|Semiannual| |ASEAN NEUROLOGICAL ASSOC +11830|Neurology India|Neuroscience & Behavior /|0028-3886|Quarterly| |MEDKNOW PUBLICATIONS +11831|Neurology Psychiatry and Brain Research|Neuroscience & Behavior|0941-9500|Quarterly| |UNIVERSITATSVERLAG ULM GMBH +11832|Neuromodulation|Clinical Medicine / Central Nervous System; Central Nervous System Diseases; Central Nervous System Stimulants; Electric Stimulation Therapy; Neurotransmitters; Peripheral Nervous System; Peripheral Nervous System Diseases|1094-7159|Quarterly| |WILEY-BLACKWELL PUBLISHING +11833|NeuroMolecular Medicine|Clinical Medicine / Nervous system; Molecular neurobiology; Nervous System Diseases; Biochemistry; Molecular Biology; Neurobiology|1535-1084|Quarterly| |HUMANA PRESS INC +11834|Neuromuscular Disorders|Neuroscience & Behavior / Neuromuscular diseases; Neuromuscular Diseases; Neuromusculaire aandoeningen|0960-8966|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +11835|Neuron|Neuroscience & Behavior / Molecular neurobiology; Neurons; Neurobiologie; Neuronen|0896-6273|Monthly| |CELL PRESS +11836|Neuron Glia Biology|Neuroscience & Behavior / Neuroglia; Cell interaction; Cell Communication; Nervous System Physiology; Neurons|1740-925X|Quarterly| |CAMBRIDGE UNIV PRESS +11837|Neuropathology|Clinical Medicine / Nervous system; Nervous System Diseases|0919-6544|Quarterly| |WILEY-BLACKWELL PUBLISHING +11838|Neuropathology and Applied Neurobiology|Neuroscience & Behavior / Nervous system; Neurology; Nervous System; Neuropathologie|0305-1846|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11839|Neuropediatrics|Neuroscience & Behavior / Nervous System Diseases; Neurosurgery; Child; Infant|0174-304X|Bimonthly| |GEORG THIEME VERLAG KG +11840|Neuropeptides|Neuroscience & Behavior / Neuropeptides; Neurology; Peptides; Neuropeptiden|0143-4179|Bimonthly| |CHURCHILL LIVINGSTONE +11841|Neuropharmacology|Neuroscience & Behavior / Neuropsychopharmacology; Autonomic Agents|0028-3908|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11842|Neurophysiologie Clinique-Clinical Neurophysiology|Neuroscience & Behavior / Neurophysiology; Electroencephalography|0987-7053|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +11843|Neurophysiology|Neuroscience & Behavior / Neurophysiology|0090-2977|Bimonthly| |SPRINGER +11844|Neuropsychobiology|Neuroscience & Behavior / Neurology; Neurobiology; Neuropsychology; Psychiatry; Research; Psychiatrie|0302-282X|Quarterly| |KARGER +11845|Neuropsychologia|Psychiatry/Psychology / Neuropsychology; Neurology; Psychology|0028-3932|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +11846|Neuropsychological Rehabilitation|Psychiatry/Psychology / Brain damage; Clinical neuropsychology; Brain Diseases; Brain Injuries; Cognition Disorders; Cerveau; Neuropsychologie clinique; Cognition, Troubles de la|0960-2011|Bimonthly| |PSYCHOLOGY PRESS +11847|Neuropsychology|Psychiatry/Psychology / Neuropsychology; Nervous System Diseases; Neuropsychological Tests; Neuropsychologie|0894-4105|Quarterly| |AMER PSYCHOLOGICAL ASSOC +11848|Neuropsychology Review|Neuroscience & Behavior / Neuropsychology; Clinical neuropsychology; Nervous System Diseases; Review Literature|1040-7308|Quarterly| |SPRINGER +11849|Neuropsychopharmacology|Neuroscience & Behavior / Neuropsychopharmacology; Neuropharmacology; Psychopharmacology / Neuropsychopharmacology; Neuropharmacology; Psychopharmacology|0893-133X|Monthly| |NATURE PUBLISHING GROUP +11850|Neuroquantology|Physics|1303-5150|Quarterly| |ANKA PUBLISHER +11851|Neuroradiology|Clinical Medicine / Nervous system; Nervous System|0028-3940|Bimonthly| |SPRINGER +11852|Neurorehabilitation|Social Sciences, general / Nervous system; Brain Injuries; Central Nervous System Diseases; Spinal Cord Injuries|1053-8135|Quarterly| |IOS PRESS +11853|Neurorehabilitation and Neural Repair|Clinical Medicine / Neurology; Nervous system; Nervous System Diseases; Neurologie; Therapieën; Revalidatie; Système nerveux|1545-9683|Quarterly| |SAGE PUBLICATIONS INC +11854|Neuroreport|Neuroscience & Behavior / Neurosciences; Nervous system; Neurophysiology; Nervous System Diseases; Nervous System Physiology; Zenuwstelsel|0959-4965|Semimonthly| |LIPPINCOTT WILLIAMS & WILKINS +11855|Neuroscience|Neuroscience & Behavior / Neurochemistry; Neurophysiology; Neurology|0306-4522|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11856|Neuroscience and Biobehavioral Reviews|Neuroscience & Behavior / Psychophysiology; Human behavior; Animal behavior; Neurology; Behavior; Ethology|0149-7634|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11857|Neuroscience Letters|Neuroscience & Behavior / Neurology; Research; Neurologie; Neuroanatomie; Neuropharmacologie; Neurophysiologie|0304-3940|Weekly| |ELSEVIER IRELAND LTD +11858|Neuroscience Research|Neuroscience & Behavior / Neurosciences; Neurology; Neurologie|0168-0102|Monthly| |ELSEVIER IRELAND LTD +11859|Neurosciences|Neuroscience & Behavior|1319-6138|Quarterly| |RIYADH ARMED FORCES HOSPITAL +11860|Neuroscientist|Neuroscience & Behavior / Neurosciences; Nervous System Diseases; Neurobiology; Psychiatry|1073-8584|Bimonthly| |SAGE PUBLICATIONS INC +11861|Neurosignals|Biology & Biochemistry / Cellular signal transduction; Cell receptors; Synaptic Transmission; Signal Transduction|1424-862X|Bimonthly| |KARGER +11862|Neurosurgery|Clinical Medicine / Nervous system; Neurosurgery|0148-396X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +11863|Neurosurgery Clinics of North America|Clinical Medicine / Neurosurgical Procedures|1042-3680|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +11864|Neurosurgery Quarterly|Clinical Medicine / Nervous system; Neurosurgery; Neurosurgical Procedures; Review Literature|1050-6438|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +11865|Neurosurgical FOCUS|Neuroscience & Behavior /|1092-0684|Irregular| |AMER ASSOC NEUROLOGICAL SURGEONS +11866|Neurosurgical Review|Clinical Medicine / Nervous system; Neurosurgery / Nervous system; Neurosurgery|0344-5607|Quarterly| |SPRINGER +11867|Neurotherapeutics|Neuroscience & Behavior / Nervous system; Nervous System Diseases|1933-7213|Quarterly| |ELSEVIER SCIENCE INC +11868|Neurotoxicity Research|Neuroscience & Behavior / Neurotoxicology; Toxicology; Neurotoxic agents; Nervous system; Neurosciences; Neurons; Apoptosis; Cytoprotection; Nerve Degeneration; Nerve Regeneration; Neurotoxins|1029-8428|Bimonthly| |SPRINGER +11869|NeuroToxicology|Neuroscience & Behavior / Neurotoxicology; Environmentally induced diseases; Environmental Pollutants; Nervous System; Neurology; Toxicology; Neurotoxicologie|0161-813X|Bimonthly| |ELSEVIER SCIENCE BV +11870|Neurotoxicology and Teratology|Neuroscience & Behavior / Behavioral toxicology; Neurotoxicology; Teratology; Abnormalities, Drug-Induced; Behavior; Pharmaceutical Preparations; Nervous System Diseases; Nervous System|0892-0362|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11871|Neurourology and Urodynamics|Clinical Medicine / Urology; Urodynamics; Urinary organs; Urinary Tract Physiology; Urologie; Neurologie|0733-2467|Bimonthly| |WILEY-LISS +11872|New and Rare for Lithuania Insect Species Records and Descriptions| |1648-8555|Annual| |LITHUANIAN ACAD SCIENCES +11873|New Astronomy|Space Science / Astronomy; Astrophysics; Sterrenkunde|1384-1076|Bimonthly| |ELSEVIER SCIENCE BV +11874|New Astronomy Reviews|Space Science / Astronomy; Astrophysics|1387-6473|Monthly| |ELSEVIER SCI LTD +11875|New Biotechnology|Biotechnology|1871-6784|Bimonthly| |ELSEVIER SCIENCE BV +11876|New Carbon Materials|Materials Science / Organic compounds; Carbon; Carbon compounds|1007-8827|Quarterly| |SCIENCE CHINA PRESS +11877|New Educational Review|Social Sciences, general|1732-6729|Quarterly| |WYDAWNICTWO ADAM MARSZALEK +11878|New Electronics|Engineering|0047-9624|Semimonthly| |FINDLAY PUBLICATINS LTD +11879|New England Journal of Medicine|Clinical Medicine / Medicine|0028-4793|Weekly| |MASSACHUSETTS MEDICAL SOC +11880|New England Quarterly-A Historical Review of New England Life and Letters|Histoire|0028-4866|Quarterly| |NEW ENGLAND QUARTERLY INC +11881|New England Review-Middlebury Series| |1053-1297|Quarterly| |MIDDLEBURY COLL PUBLICATIONS +11882|New Ethicals Journal| |1174-4502|Monthly| |ADIS INT LTD +11883|New Forests|Plant & Animal Science / Afforestation; Reforestation|0169-4286|Bimonthly| |SPRINGER +11884|New Generation Computing|Computer Science / Electronic digital computers; Computers; Ordinateurs|0288-3635|Quarterly| |SPRINGER +11885|New Genetics and Society|Biology & Biochemistry / Genetic engineering; Biotechnology; Genetic Engineering; Genetics; Social Change; Socioeconomic Factors / Genetic engineering; Biotechnology; Genetic Engineering; Genetics; Social Change; Socioeconomic Factors|1463-6778|Tri-annual| |ROUTLEDGE JOURNALS +11886|New German Critique|German literature; Cultuur; Letterkunde; Littérature allemande|0094-033X|Tri-annual| |DUKE UNIV PRESS +11887|New Ideas in Psychology|Psychiatry/Psychology / Psychology; Psychologie; Theorievorming|0732-118X|Tri-annual| |PERGAMON-ELSEVIER SCIENCE LTD +11888|New Jersey Birds| | |Quarterly| |NEW JERSEY AUDUBON SOC +11889|New Journal of Chemistry|Chemistry / Chemistry; Chemie; Chimie|1144-0546|Monthly| |ROYAL SOC CHEMISTRY +11890|New Journal of Physics|Physics /|1367-2630|Irregular| |IOP PUBLISHING LTD +11891|New Left Review|Social Sciences, general|0028-6060|Bimonthly| |NEW LEFT REV LTD +11892|New Literary History|English literature; American literature; Criticism|0028-6087|Quarterly| |JOHNS HOPKINS UNIV PRESS +11893|New Media & Society|Social Sciences, general / Computers and civilization; Digital media; Information technology; Informatietechnologie; Sociale aspecten; Ordinateurs et civilisation; Médias numériques; Technologie de l'information / Computers and civilization; Digital medi|1461-4448|Bimonthly| |SAGE PUBLICATIONS LTD +11894|New Medit|Agricultural Sciences|1594-5685|Quarterly| |EDIZIONI DEDALO S R L +11895|New Mexico Anthropologist| |0734-7030| | |UNIV NEW MEXICO +11896|New Mexico Bureau of Mines & Mineral Resources Bulletin| |0096-4581|Irregular| |NEW MEXICO BUREAU GEOLOGY MINERAL RESOURCES +11897|New Mexico Bureau of Mines & Mineral Resources Memoir| |0548-5975|Irregular| |NEW MEXICO BUREAU GEOLOGY MINERAL RESOURCES +11898|New Mexico Geological Society Field Conference Guidebook| |0077-8567|Annual| |NEW MEXICO GEOLOGICAL SOC +11899|New Mexico Geology| |0196-948X|Quarterly| |NEW MEXICO BUREAU GEOLOGY MINERAL RESOURCES +11900|New Mexico Historical Review| |0028-6206|Quarterly| |UNIV NEW MEXICO +11901|New Mexico Journal of Science| |0270-3017|Annual| |NEW MEXICO ACAD SCIENCE +11902|New Microbiologica|Microbiology|1121-7138|Quarterly| |EDIZIONI INT SRL +11903|New Orleans Review| |0028-6400|Semiannual| |LOYOLA UNIV +11904|New Perspectives on Turkey|Social Sciences, general|1305-3299|Semiannual| |HOMER ACADEMIC PUBL HOUSE +11905|New Phytologist|Plant & Animal Science / Botany; Plantkunde; Botanique|0028-646X|Semimonthly| |WILEY-BLACKWELL PUBLISHING +11906|New Political Economy|Economics & Business / Economics; International economic relations|1356-3467|Tri-annual| |ROUTLEDGE JOURNALS +11907|New Republic|Social Sciences, general|0028-6583|Semimonthly| |NEW REPUBLIC INC +11908|New Review of Hypermedia and Multimedia|Hypertext systems; Interactive multimedia; Multimedia systems; Multimedia; Hypermedia / Hypertext systems; Interactive multimedia; Multimedia systems; Multimedia; Hypermedia|1361-4568|Tri-annual| |TAYLOR & FRANCIS LTD +11909|New Scientist|Multidisciplinary / Science; Technology; Exacte wetenschappen|0262-4079|Weekly| |REED BUSINESS INFORMATION LTD +11910|New Technology Work and Employment|Economics & Business / Labor supply; Technological innovations; Manpower planning|0268-1072|Tri-annual| |WILEY-BLACKWELL PUBLISHING +11911|New Testament Studies|Nieuwe Testament|0028-6885|Quarterly| |CAMBRIDGE UNIV PRESS +11912|New Theatre Quarterly|Theater; Drama|0266-464X|Quarterly| |CAMBRIDGE UNIV PRESS +11913|New York Health-System Pharmacist| |1080-1855|Monthly| |NEW YORK STATE COUNCIL HEALTH SYSTEM PHARMACISTS +11914|New York History| |0146-437X|Quarterly| |NEW YORK STATE HIST ASSOC +11915|New York Review of Books| |0028-7504|Semimonthly| |NEW YORK REVIEW +11916|New York times Book Review| |0028-7806|Weekly| |NEW YORK TIMES +11917|New York University Law Quarterly Review| | |Quarterly| |NEW YORK UNIV SCHOOL LAW +11918|New York University Law Review|Social Sciences, general|0028-7881|Bimonthly| |NEW YORK UNIV SCHOOL LAW +11919|New Zealand Dental Journal| |0028-8047|Irregular| |NEW ZEALAND DENTAL ASSOC +11920|New Zealand Entomologist| |0077-9962|Annual| |ENTOMOLOGICAL SOC NEW ZEALAND +11921|New Zealand Geographer|Social Sciences, general / Geography|0028-8144|Tri-annual| |WILEY-BLACKWELL PUBLISHING +11922|New Zealand Journal of Agricultural Research|Agricultural Sciences /|0028-8233|Quarterly| |TAYLOR & FRANCIS LTD +11923|New Zealand Journal of Botany|Plant & Animal Science /|0028-825X|Quarterly| |TAYLOR & FRANCIS LTD +11924|New Zealand Journal of Crop and Horticultural Science|Agricultural Sciences /|0114-0671|Quarterly| |TAYLOR & FRANCIS LTD +11925|New Zealand Journal of Ecology|Environment/Ecology|0110-6465|Semiannual| |NEW ZEALAND ECOL SOC +11926|New Zealand Journal of Forestry| |1174-7986|Semiannual| |NEW ZEALAND INST FORESTRY INC +11927|New Zealand Journal of Forestry Science| |0048-0134|Tri-annual| |NEW ZEALAND FOREST RESEARCH INST LTD +11928|New Zealand Journal of Geology and Geophysics|Geosciences /|0028-8306|Quarterly| |TAYLOR & FRANCIS LTD +11929|New Zealand Journal of History| |0028-8322|Semiannual| |UNIV AUCKLAND +11930|New Zealand Journal of Marine and Freshwater Research|Plant & Animal Science /|0028-8330|Quarterly| |TAYLOR & FRANCIS LTD +11931|New Zealand Journal of Medical Laboratory Science| |1171-0195|Quarterly| |NEW ZEALAND INST MEDICAL LABORATORY SCIENCE-INC-N Z I M L S +11932|New Zealand Journal of Psychology|Psychiatry/Psychology|0112-109X|Semiannual| |NEW ZEALAND PSYCHOL SOC +11933|New Zealand Journal of Zoology|Plant & Animal Science /|0301-4223|Quarterly| |TAYLOR & FRANCIS LTD +11934|New Zealand Natural Sciences| |0113-7492|Irregular| |UNIV CANTERBURY +11935|New Zealand Pharmacy| |0111-431X|Monthly| |METHODE MEDIA LTD +11936|New Zealand Plant Protection| |1175-9003|Annual| |NEW ZEALAND PLANT PROTECTION SOC +11937|New Zealand Veterinary Journal|Plant & Animal Science|0048-0169|Bimonthly| |NEW ZEALAND VETERINARY ASSOC INC +11938|Newsletter of the Alaska Entomological Society| | |Irregular| |ALASKA ENTOMOL SOC +11939|Newsletter of the Biological Survey of Canada-Terrestrial Arthropods| | |Semiannual| |BIOLOGICAL SURVEY CANADA-TERRESTRIAL ARTHROPODS +11940|Newsletter of the Porcupine Marine Natural History Society| |1466-0369|Semiannual| |PORCUPINE MARINE NATURAL HISTORY SOC +11941|Newsletter on Enchytraeidae| |0937-4175|Irregular| |UNIVERSITAETSVERLAG RASCH +11942|Newsletters on Stratigraphy|Geosciences / Geology, Stratigraphic; Stratigrafie|0078-0421|Tri-annual| |GEBRUDER BORNTRAEGER +11943|Nexus Network Journal|Social Sciences, general / Architectural design; Architecture; Mathematics|1590-5896|Semiannual| |KIM WILLIAMS BOOKS +11944|Nicotine & Tobacco Research|Clinical Medicine / Nicotine; Tobacco; Tobacco habit; Smoking|1462-2203|Bimonthly| |OXFORD UNIV PRESS +11945|Nieuwsbrief European Invertebrate Survey Nederland| |0169-2402|Irregular| |CENTRAAL BUREAU NEDERLAND VAN EUROPEAN INVERTEBRATE SURVEY +11946|Nieuwsbrief Nzg| |1566-6778|Irregular| |NEDERLANDSE ZEEVOGELGROEP +11947|Nieuwsbrief Spined| |0926-0781|Irregular| |SPINNENWERKGROEP NEDERLAND +11948|Nigerian Field| |0029-0076|Quarterly| |NIGERIAN FIELD SOC +11949|Nigerian Journal of Botany| |0795-0128|Irregular| |BOTANICAL SOC NIGERIA +11950|Nigerian Journal of Clinical Practice|Clinical Medicine|1119-3077|Quarterly| |MEDICAL & DENTAL CONSULTANTS ASSOC NIGERIA +11951|Nihon Kaiiki Kenkyu| | |Annual| |KANAZAWA UNIV +11952|Nihon Reoroji Gakkaishi|Engineering / Rheology|0387-1533|Quarterly| |SOC RHEOLOGY +11953|Nihon Sakyu Gakkaishi| |0918-5623|Semiannual| |JAPANESE SOC SAND DUNE RESEARCH +11954|Nihon University Journal of Medicine| |0546-0352|Bimonthly| |NIHON UNIV SCH MEDICINE +11955|Nina Temahefte| |0804-421X|Irregular| |NINA +11956|Nineteenth Century Music|Music; Musique|0148-2076|Tri-annual| |UNIV CALIFORNIA PRESS +11957|Nineteenth Century Prose| |1052-0406|Semiannual| |NINETEENTH-CENTURY PROSE +11958|Nineteenth-Century French Studies| |0146-7891|Semiannual| |UNIV NEBRASKA PRESS +11959|Nineteenth-Century Literature|English literature; American literature|0891-9356|Quarterly| |UNIV CALIFORNIA PRESS +11960|Nioz-Rapport| |0923-3210|Irregular| |NETHERLANDS INST SEA RES +11961|Nippon Acta Radiologica| |0048-0428|Monthly| |JAPAN RADIOLOGICAL SOC +11962|Nippon Ganka Gakkai Zasshi| |0029-0203|Monthly| |JAPANESE OPHTHALMOLOGICAL SOC +11963|Nippon Kingakukai Kaiho| |0029-0289|Semiannual| |MYCOLOGICAL SOC JAPAN +11964|NIPPON SUISAN GAKKAISHI|Plant & Animal Science / Fisheries; Marine biology|0021-5392|Bimonthly| |JAPANESE SOC FISHERIES SCIENCE +11965|Nitric Oxide-Biology and Chemistry|Biology & Biochemistry / Nitric oxide; Oxide nitrique; Nitric Oxide; Stikstofmonoxide; Biochemie|1089-8603|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +11966|Niwa Biodiversity Memoir| |1174-0043|Irregular| |NATL INST WATER & ATMOSPHERIC RESEARCH-NIWA +11967|Njas-Wageningen Journal of Life Sciences|Agricultural Sciences /|1573-5214|Tri-annual| |ROYAL NETHERLANDS SOC AGR SCI +11968|Nmos Bulletin| | |Quarterly| |NEW MEXICO ORNITHOLOGICAL SOC +11969|NMR in Biomedicine|Clinical Medicine / Nuclear magnetic resonance; Magnetic Resonance Spectroscopy|0952-3480|Bimonthly| |JOHN WILEY & SONS LTD +11970|Nnm Technical Bulletin| | |Irregular| |NATL NATUURHISTORISCH MUSEUM +11971|No to Hattatsu| |0029-0831|Irregular| |JAPANESE SOC CHILD NEUROLOGY +11972|Noaa Afsc Processed Reports| | |Irregular| |NATL MARINE FISHERIES SERVICE SCIENTIFIC PUBL OFFICE +11973|Noaa Professional Paper Nmfs| |1931-4590|Irregular| |U S NATL OCEANIC & ATMOSPHERIC ADMINISTRATION +11974|Noaa Technical Memorandum Glerl| | |Irregular| |GREAT LAKES ENVIRONMENTAL RESEARCH LABORATORY +11975|Noaa Technical Memorandum Nmfs-Afsc| | |Irregular| |NATL OCEANIC ATMOSPHERIC ADMINISTRATION-NOAA +11976|Noaa Technical Memorandum Nmfs-Ne| | |Quarterly| |NATL OCEANIC ATMOSPHERIC ADM +11977|Noaa Technical Memorandum Nmfs-Nwfsc| | |Irregular| |NATL OCEANIC ATMOSPHERIC ADMINISTRATION-NOAA +11978|Noaa Technical Memorandum Nmfs-Sefsc| | |Irregular| |NATL OCEANIC ATMOSPHERIC ADM +11979|Noaa Technical Memorandum Nmfs-Swfsc| | |Irregular| |NATL OCEANOGRAPHIC ATMOSPHERIC ADMINISTRATION-NOAA +11980|Noaa Technical Memorandum Nos Nccos| | |Irregular| |NOAA NATL CENTERS COASTAL OCEAN SCIENCE +11981|Nobel Medicus|Clinical Medicine|1305-2381|Tri-annual| |NOBEL ILAC +11982|Nodea-Nonlinear Differential Equations and Applications|Mathematics / Differential equations, Nonlinear; Differentiaalvergelijkingen; Niet-lineaire vergelijkingen|1021-9722|Quarterly| |BIRKHAUSER VERLAG AG +11983|Nof Rapportserie| |0805-4932|Quarterly| |NORSK ORNITOLOGISK FORENING +11984|Noise Control Engineering Journal|Physics / Noise control; Bruit, Lutte contre le|0736-2501|Bimonthly| |INST NOISE CONTROL ENGINEERING +11985|Nondestructive Testing And Evaluation|Materials Science / Nondestructive testing|1058-9759|Quarterly| |TAYLOR & FRANCIS LTD +11986|Nonlinear Analysis-Real World Applications|Mathematics / Nonlinear functional analysis|1468-1218|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +11987|Nonlinear Analysis-Theory Methods & Applications|Mathematics / Nonlinear functional analysis; Niet-lineaire analyse; Analyse mathématique; Analyse fonctionnelle; Théories non linéaires / Nonlinear functional analysis; Niet-lineaire analyse; Analyse mathématique; Analyse fonctionnelle; Théories non liné|0362-546X|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +11988|Nonlinear Dynamics|Engineering / Systems engineering; Chaotic behavior in systems; Nonlinear theories|0924-090X|Monthly| |SPRINGER +11989|Nonlinear Oscillations|Mathematics / Nonlinear oscillations|1536-0059|Quarterly| |SPRINGER +11990|Nonlinear Processes in Geophysics|Engineering /|1023-5809|Bimonthly| |COPERNICUS GESELLSCHAFT MBH +11991|Nonlinearity|Mathematics / Nonlinear theories; Mathematical analysis|0951-7715|Monthly| |IOP PUBLISHING LTD +11992|Nonprofit and Voluntary Sector Quarterly|Social Sciences, general / Human services; Voluntarism; Nonprofit organizations|0899-7640|Quarterly| |SAGE PUBLICATIONS INC +11993|Nordic Journal of Botany|Plant & Animal Science / Botany; Plants; Plantkunde; Botanique|0107-055X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +11994|Nordic Journal of Freshwater Research| |1100-4096|Annual| |INST FRESHWATER RESEARCH +11995|Nordic Journal of Linguistics|Social Sciences, general / Linguistics|0332-5865|Semiannual| |CAMBRIDGE UNIV PRESS +11996|Nordic Journal of Music Therapy|Social Sciences, general /|0803-9828|Semiannual| |GRIEG ACADEMY +11997|Nordic Journal of Psychiatry|Psychiatry/Psychology / Psychopharmacology; Psychotherapy; Psychiatry; Mental Disorders|0803-9488|Bimonthly| |TAYLOR & FRANCIS AS +11998|Nordic Psychology|Psychiatry/Psychology /|1901-2276|Quarterly| |DANSK PSYKOLOGISK FORLAG-DANISH PSYCHOLOGICAL PUBLISHERS +11999|Nordic Pulp & Paper Research Journal|Materials Science / Papermaking; Wood-pulp|0283-2631|Quarterly| |AB SVENSK PAPPERSTIDNING +12000|Nordic Theatre Studies| |0904-6380|Annual| |FORENINGEN NORDISKA TEATERFORSKARE +12001|Nordisk Herpetologisk Forening| |0900-484X|Bimonthly| |NORDISK HERPETOLOGISK FORENING +12002|Norfolk & Norwich Naturalists Society Transactions| |0375-7226|Irregular| |NORFOLK NORWICH NATURALISTS SOC +12003|Norfolk and Norwich Naturalists Society Occasional Publication| |0962-435X|Irregular| |NORFOLK NORWICH NATURALISTS SOC +12004|Noropsikiyatri Arsivi-Archives of Neuropsychiatry|Neuroscience & Behavior /|1300-0667|Quarterly| |GALENOS YAYINCILIK +12005|Norsk Geografisk Tidsskrift-Norwegian Journal of Geography|Social Sciences, general / Geography; Geografie; Géographie / Geography; Geografie; Géographie / Geography; Geografie; Géographie|0029-1951|Quarterly| |TAYLOR & FRANCIS AS +12006|Norsk Polarinstitutt Rapportserie| |0803-0421|Irregular| |NORSK POLARINSTITUTT +12007|Norsk Veterinaertidsskrift| |0332-5741|Monthly| |DEN NORSKE VETERINAERFORENING +12008|North American Archaeologist|Indians of North America; Archaeology; Archeologie|0197-6931|Quarterly| |BAYWOOD PUBL CO INC +12009|North American Bird Bander| |0363-8979|Quarterly| |EASTERN +12010|North American Fauna| |0078-1304|Irregular| |U S FISH & WILDLIFE SERVICE +12011|North American Journal of Aquaculture|Plant & Animal Science / Aquaculture; Fish culture; Fishes; Pisciculture; Poissons|1522-2055|Quarterly| |AMER FISHERIES SOC +12012|North American Journal of Fisheries Management|Plant & Animal Science / Fishery management; Pêches|0275-5947|Quarterly| |AMER FISHERIES SOC +12013|North American Review| |0029-2397|Bimonthly| |UNIV NORTHERN IOWA +12014|North Atlantic Studies| |0905-2984|Irregular| |AARHUS UNIV PRESS +12015|North Carolina Agricultural Research Service Technical Bulletin| |0747-8194|Irregular| |NORTH CAROLINA AGR RES SER +12016|North Korean Review|Social Sciences, general /|1551-2789|Semiannual| |MCFARLAND & COMPANY +12017|North Pacific Anadromous Fish Commission Bulletin| |1028-9127|Irregular| |NORTH PACIFIC ANADROMOUS FISH COMMISSION-NPAFC +12018|North Pacific Islands Biological Researches| |1029-7480|Monthly| |FAR EAST BRANCH RUSSIAN ACAD SCIENCES +12019|North-Western Journal of Zoology|Plant & Animal Science|1584-9074|Annual| |UNIV ORADEA PUBL HOUSE +12020|Northeast Fisheries Science Center Reference Document| | |Irregular| |NORTHEAST FISHERIES SCIENCE CTR +12021|Northeastern Geology and Environmental Sciences| |0194-1453|Quarterly| |NORTHEASTERN SCIENCE FOUNDATION INC +12022|Northeastern Naturalist|Environment/Ecology / Natural history|1092-6194|Quarterly| |HUMBOLDT FIELD RESEARCH INST +12023|Northern History| |0078-172X|Semiannual| |MANEY PUBLISHING +12024|Northern Ireland Environment Agency Research and Development Series| | |Irregular| |NORTHERN IRELAND ENVIRON AGENCY +12025|Northern Journal of Applied Forestry|Plant & Animal Science|0742-6348|Quarterly| |SOC AMER FORESTERS +12026|Northern Territory Geological Survey Report| |0814-7477|Irregular| |NORTHERN TERRITORY GEOLOGICAL SURVEY +12027|Northern Territory Naturalist| |0155-4093|Irregular| |NORTHERN TERRITORY FIELD NATURALISTS CLUB +12028|Northwest Atlantic Fisheries Organization Scientific Council Studies| |0250-6432|Annual| |NORTHWEST ATLANTIC FISHERIES ORGANIZATION +12029|Northwest Fauna| | |Irregular| |SOC NORTHWESTERN VERTEBRATE BIOLOGY +12030|Northwest Science|Environment/Ecology /|0029-344X|Quarterly| |WASHINGTON STATE UNIV +12031|Northwestern Naturalist|Birds; Mammals|1051-1733|Tri-annual| |SOC NORTHWESTERN VERTEBRATE BIOLOGY +12032|Northwestern University Law Review|Social Sciences, general|0029-3571|Quarterly| |NORTHWESTERN UNIV +12033|Norwegian Archaeological Review|Archaeology; Archeologie|0029-3652|Semiannual| |ROUTLEDGE JOURNALS +12034|Norwegian Journal of Entomology| |1501-8415|Semiannual| |NORWEGIAN ENTOMOLOGICAL SOC +12035|Norwegian Journal of Geology|Geosciences / Geology; Geologie|0029-196X|Quarterly| |GEOLOGICAL SOC NORWAY +12036|Nos Oiseaux| |0029-3725|Quarterly| |SOC ROMANDE ETUDE PROTECTION OISEAUX +12037|Nota Lepidopterologica| |0342-7536|Quarterly| |SOC EUROPAEA LEPIDOPTEROLOGICA E V +12038|Notarzt|Clinical Medicine / Emergency Medicine|0177-2309|Bimonthly| |GEORG THIEME VERLAG KG +12039|Notas Del Museo de la Plata Zoologia| |0372-4549|Irregular| |UNIV NACIONAL LA PLATA +12040|Notatki Ornitologiczne| |0550-0842|Quarterly| |POLISH ZOOLOGICAL SOC +12041|Notes|Music; Music libraries; Music librarianship; Musique; Muziekwetenschap|0027-4380|Quarterly| |MUSIC LIBRARY ASSOC +12042|Notes and Queries|Questions and answers; Literature; Questions et réponses|0029-3970|Quarterly| |OXFORD UNIV PRESS +12043|Notes and Records of The Royal Society|Multidisciplinary / Science; Natuurwetenschappen; Royal Society|0035-9149|Tri-annual| |ROYAL SOC +12044|Notes Fauniques de Gembloux| |0770-2019|Irregular| |FAC SCIENCES AGRONOMIQUES GEMBLOUX +12045|Notes on Papilionidae| |1618-5544|Irregular| |GOECKE & EVERS +12046|Notfall & Rettungsmedizin|Clinical Medicine / Emergency medicine; Medical emergencies; Emergencies; Emergency Medicine; Médecine d'urgence; Urgences médicales, Services des; Geneeskunde; Spoedgevallen; Eerste hulp / Emergency medicine; Medical emergencies; Emergencies; Emergency |1434-6222|Bimonthly| |SPRINGER +12047|Noticiario de la Sociedad Espanola de Malacologia| |1131-527X|Semiannual| |SOC ESPANOLA MALACOLOGIA +12048|Noticiario Mensual Museo Nacional de Historia Natural-Santiago| |0376-2041|Irregular| |MUSEO NACIONAL HISTORIA NATURAL-SANTIAGO +12049|Noticias Paleontologicas| |1134-5209|Annual| |SOC ESPANOLA PALEONTOLOGIA +12050|Notiziario S I M| |1121-161X|Semiannual| |SOC ITALIANA MALACOLOGIA +12051|Notornis| |0029-4470|Quarterly| |ORNITHOLOGICAL SOC NEW ZEALAND-OSNZ +12052|Notre Dame Journal of Formal Logic|Logic; Logic, Symbolic and mathematical|0029-4527|Quarterly| |DUKE UNIV PRESS +12053|Notre Dame Law Review|Social Sciences, general|0745-3515|Bimonthly| |NOTRE DAME LAW SCHOOL +12054|Nottingham French Studies| |0029-4586|Tri-annual| |UNIV NOTTINGHAM +12055|Notulae Botanicae Horti Agrobotanici Cluj-Napoca|Plant & Animal Science|0255-965X|Semiannual| |UNIV AGR SCI & VETERINARY MED CLUJ-NAPOCA +12056|Notulae Naturae-Philadelphia| |0029-4608|Irregular| |ACAD NATURAL SCIENCES PHILA +12057|Notulae Odonatologicae| |0166-6584|Semiannual| |SOC INT ODONATOLOGICA +12058|Notulas Faunisticas| |0327-0017|Irregular| |NOTULAS FAUNISTICAS +12059|Noûs|Philosophy; Filosofie; Philosophie|0029-4624|Quarterly| |WILEY-BLACKWELL PUBLISHING +12060|Nouv Ailes| |1187-5739|Semiannual| |ASSOC ENTOMOL AMAT QUEBEC +12061|Nouvelle Revue D Entomologie| |0374-9797|Quarterly| |ASSOC POUR LE SOUTIEN A LA NOUVELLE REVUE ENTOMOLOGIE +12062|Nouvelle Revue Francaise| |0029-4802|Quarterly| |EDITIONS GALLIMARD +12063|Nouvelles Questions Feministes|Social Sciences, general|0248-4951|Tri-annual| |EDITIONS ANTIPODES +12064|Nova Hedwigia|Plant & Animal Science / Cryptogams|0029-5035|Quarterly| |GEBRUDER BORNTRAEGER +12065|Nova Religio-Journal of Alternative and Emergent Religions|Religions; Cults; Sects; Godsdiensten; Alternatieve bewegingen; Sectes|1092-6690|Semiannual| |UNIV CALIFORNIA PRESS +12066|Novapex| |1375-7474|Quarterly| |SOC BELGE MALACOLOGIE +12067|Novapex Societe| | |Irregular| |SOC BELGE MALACOLOGIE +12068|Novartis Foundation Symposium|Clinical Medicine|1528-2511|Irregular| |JOHN WILEY & SONS LTD +12069|Novel-A Forum on Fiction|Fiction|0029-5132|Tri-annual| |BROWN UNIV +12070|Novenyvedelem| |0133-0829|Monthly| |AGROINFORM KIADO +12071|Novon|Plant & Animal Science / Plants; Botany; Plantkunde; Nomenclatuur|1055-3177|Quarterly| |MISSOURI BOTANICAL GARDEN +12072|Novosti Paleontologii I Stratigrafii| | |Irregular| |NAUCHNO-IZDATELSKII TSENTR +12073|Novum Testamentum|Nieuwe Testament|0048-1009|Quarterly| |BRILL ACADEMIC PUBLISHERS +12074|Novyi Mir| |0130-7673|Monthly| |IZD STVO IZVESTIYA +12075|Npafc Document| | |Irregular| |NORTH PACIFIC ANADROMOUS FISH COMMISSION-NPAFC +12076|Ntm|Science; History of Medicine; Technology|0036-6978|Quarterly| |BIRKHAUSER VERLAG AG +12077|Nuclear Data Sheets|Engineering / Nuclear physics|0090-3752|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +12078|Nuclear Engineering and Design|Engineering / Nuclear engineering|0029-5493|Monthly| |ELSEVIER SCIENCE SA +12079|Nuclear Engineering and Technology|Engineering|1738-5733|Bimonthly| |KOREAN NUCLEAR SOC +12080|Nuclear Engineering International|Engineering|0029-5507|Monthly| |WILMINGTON PUBL +12081|Nuclear Fusion|Physics / Nuclear fusion; FUSION NUCLEAR; Kernfusie; Plasma's|0029-5515|Monthly| |INT ATOMIC ENERGY AGENCY +12082|Nuclear Instruments & Methods in Physics Research Section A-Accelerators Spectrometers Detectors and Associated Equipment|Engineering / Nuclear physics; Nuclear Physics|0168-9002|Biweekly| |ELSEVIER SCIENCE BV +12083|Nuclear Instruments & Methods in Physics Research Section B-Beam Interactions with Materials and Atoms|Engineering / Nuclear physics|0168-583X|Semimonthly| |ELSEVIER SCIENCE BV +12084|Nuclear Medicine and Biology|Clinical Medicine / Nuclear medicine; Radiobiology; Nuclear Medicine; Radioisotopes; Nucleaire geneeskunde; Radiobiologie; Médecine nucléaire; Biologie|0969-8051|Bimonthly| |ELSEVIER SCIENCE INC +12085|Nuclear Medicine Communications|Clinical Medicine / Nuclear medicine; Nuclear Medicine|0143-3636|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12086|Nuclear Physics A|Physics / Nuclear physics; Hadrons|0375-9474|Semimonthly| |ELSEVIER SCIENCE BV +12087|Nuclear Physics B|Physics / Nuclear physics|0550-3213|Biweekly| |ELSEVIER SCIENCE BV +12088|Nuclear Physics B-Proceedings Supplements|Physics / Nuclear physics|0920-5632|Monthly| |ELSEVIER SCIENCE BV +12089|Nuclear Plant Journal|Engineering|0892-2055|Bimonthly| |EQES INC +12090|Nuclear Science and Engineering|Engineering|0029-5639|Monthly| |AMER NUCLEAR SOC +12091|Nuclear Science and Techniques|Physics / Nuclear physics|1001-8042|Bimonthly| |ELSEVIER SCIENCE BV +12092|Nuclear Technology|Engineering|0029-5450|Monthly| |AMER NUCLEAR SOC +12093|Nuclear Technology & Radiation Protection|Engineering /|1451-3994|Semiannual| |VINCA INST NUCLEAR SCI +12094|Nucleic Acids Research|Biology & Biochemistry / Nucleic acids; Nucleic Acids|0305-1048|Semimonthly| |OXFORD UNIV PRESS +12095|Nucleosides Nucleotides & Nucleic Acids|Biology & Biochemistry / Nucleosides; Nucleotides; Nucleic acids; Nucleic Acids / Nucleosides; Nucleotides; Nucleic acids; Nucleic Acids / Nucleosides; Nucleotides; Nucleic acids; Nucleic Acids|1525-7770|Monthly| |TAYLOR & FRANCIS INC +12096|Nuklearmedizin-Nuclear Medicine|Clinical Medicine / Nuclear medicine; Nuclear Medicine; Radioisotopes; Médecine nucléaire; Isotopes radioactifs|0029-5566|Bimonthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +12097|Nukleonika|Physics|0029-5922|Quarterly| |INST NUCLEAR CHEMISTRY TECHNOLOGY +12098|Numen-International Review for the History of Religions|Religions|0029-5973|Quarterly| |BRILL ACADEMIC PUBLISHERS +12099|Numerical Algorithms|Mathematics / Numerical analysis; Algorithms|1017-1398|Monthly| |SPRINGER +12100|Numerical Functional Analysis and Optimization|Mathematics / Functional analysis; Numerical analysis; Mathematical optimization|0163-0563|Bimonthly| |TAYLOR & FRANCIS INC +12101|Numerical Heat Transfer Part A-Applications|Engineering / Heat; Mass transfer; Numerical analysis; Chaleur; Transfert de masse; Analyse numérique / Heat; Mass transfer; Numerical analysis; Chaleur; Transfert de masse; Analyse numérique|1040-7782|Semimonthly| |TAYLOR & FRANCIS INC +12102|Numerical Heat Transfer Part B-Fundamentals|Engineering / Heat; Mass transfer; Numerical analysis; Chaleur; Transfert de masse; Analyse numérique / Heat; Mass transfer; Numerical analysis; Chaleur; Transfert de masse; Analyse numérique|1040-7790|Monthly| |TAYLOR & FRANCIS INC +12103|Numerical Linear Algebra with Applications|Mathematics / Algebras, Linear|1070-5325|Bimonthly| |JOHN WILEY & SONS LTD +12104|Numerical Mathematics-Theory Methods and Applications|Mathematics /|1004-8979|Quarterly| |GLOBAL SCIENCE PRESS +12105|Numerical Methods for Partial Differential Equations|Engineering / Differential equations, Partial|0749-159X|Bimonthly| |JOHN WILEY & SONS INC +12106|Numerische Mathematik|Mathematics / Electronic digital computers; Numerical analysis; Ordinateurs; Analyse numérique|0029-599X|Semimonthly| |SPRINGER +12107|Nuncius-Journal of the History of Science|Social Sciences, general|0394-7394|Semiannual| |LEO S OLSCHKI +12108|Nuova Rivista Musicale Italiana| |0029-6228|Quarterly| |E R I EDIZIONI RAI +12109|Nuova Rivista Storica| |0029-6236|Tri-annual| |SOC EDITRICE DANTE ALIGHIERI SRL +12110|Nuovo Cimento Della Societa Italiana Di Fisica B-Basic Topics in Physics| |1594-9982|Monthly| |SOC ITALIANA FISICA +12111|Nurse Education Today|Social Sciences, general / Education, Nursing|0260-6917|Bimonthly| |CHURCHILL LIVINGSTONE +12112|Nurse Educator|Nursing; Education, Nursing|0363-3624|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12113|Nurse Practitioner|Nursing; Nurse practitioners; Nurse Practitioners|0361-1817|Monthly| |SPRINGHOUSE CORP +12114|Nursing|Nursing; Verpleegkunde; Soins infirmiers|0360-4039|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12115|Nursing & Health Sciences|Social Sciences, general / Nursing; Medical care; Delivery of Health Care; Nursing Care / Nursing; Medical care; Delivery of Health Care; Nursing Care|1441-0745|Quarterly| |WILEY-BLACKWELL PUBLISHING +12116|Nursing Clinics of North America|Social Sciences, general / Nursing|0029-6465|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +12117|Nursing Economics|Social Sciences, general|0746-1739|Bimonthly| |JANNETTI PUBLICATIONS +12118|Nursing Ethics|Social Sciences, general / Nursing ethics; Ethics, Nursing; Verpleegkunde; Ethiek|0969-7330|Bimonthly| |SAGE PUBLICATIONS LTD +12119|Nursing History Review|Social Sciences, general / Nursing; History of Nursing; Review Literature|1062-8061|Annual| |SPRINGER PUBLISHING CO +12120|Nursing Inquiry|Social Sciences, general / Nursing; Soins infirmiers; Philosophy, Nursing; Verpleging|1320-7881|Quarterly| |WILEY-BLACKWELL PUBLISHING +12121|Nursing Outlook|Social Sciences, general / Nursing|0029-6554|Bimonthly| |ELSEVIER SCIENCE INC +12122|Nursing Philosophy|Social Sciences, general / Nursing; Philosophy, Nursing; Soins infirmiers|1466-7681|Quarterly| |WILEY-BLACKWELL PUBLISHING +12123|Nursing Research|Social Sciences, general / Nursing; Verpleegkunde|0029-6562|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12124|Nursing Science Quarterly|Social Sciences, general / Nursing; Nursing Theory|0894-3184|Quarterly| |SAGE PUBLICATIONS INC +12125|Nutricion Hospitalaria|Agricultural Sciences|0212-1611|Bimonthly| |AULA MEDICA EDICIONES +12126|Nutrient Cycling in Agroecosystems|Agricultural Sciences / Fertilizers; Nutrient cycles; Cropping systems|1385-1314|Monthly| |SPRINGER +12127|Nutrition|Agricultural Sciences / Nutrition; Diet therapy; Voeding; Diétothérapie|0899-9007|Monthly| |ELSEVIER SCIENCE INC +12128|Nutrition & Dietetics|Agricultural Sciences / Nutrition; Dietetics; Diététique / Nutrition; Dietetics; Diététique|1446-6368|Quarterly| |WILEY-BLACKWELL PUBLISHING +12129|Nutrition & Metabolism|Nutrition; Metabolism; Diet|1743-7075|Irregular| |BIOMED CENTRAL LTD +12130|Nutrition and Cancer-An International Journal|Clinical Medicine / Cancer; Nutrition; Neoplasms|0163-5581|Bimonthly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +12131|Nutrition and Health| |0260-1060|Bimonthly| |A B ACADEMIC PUBL +12132|Nutrition Clinique et Métabolisme|Agricultural Sciences / Nutrition; Metabolism|0985-0562|Quarterly| |MASSON EDITEUR +12133|Nutrition in Clinical Practice|Agricultural Sciences / Enteral feeding; Parenteral feeding; Enteral Nutrition; Nutrition; Parenteral Nutrition|0884-5336|Bimonthly| |SAGE PUBLICATIONS INC +12134|Nutrition Journal|Agricultural Sciences / Nutrition|1475-2891|Irregular| |BIOMED CENTRAL LTD +12135|Nutrition Metabolism and Cardiovascular Diseases|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases; Diet; Appareil cardiovasculaire; Hart- en vaatziekten; Voeding; Stofwisseling; Maladie métabolique; Nutrition; Maladie cardiovasculaire|0939-4753|Monthly| |ELSEVIER SCI LTD +12136|Nutrition Research|Biology & Biochemistry / Nutrition; Nutrition disorders; Nutrition Disorders|0271-5317|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12137|Nutrition Research and Practice|Agricultural Sciences /|1976-1457|Quarterly| |KOREAN NUTRITION SOC +12138|Nutrition Research Reviews|Agricultural Sciences / Nutrition; Review Literature|0954-4224|Semiannual| |CAMBRIDGE UNIV PRESS +12139|Nutrition Reviews|Agricultural Sciences / Nutrition; Diet; Voeding|0029-6643|Monthly| |WILEY-BLACKWELL PUBLISHING +12140|Nutritional Neuroscience|Neuroscience & Behavior / Nervous system; Nervous System; Diet; Diet Therapy; Feeding Behavior; Nutrition|1028-415X|Bimonthly| |MANEY PUBLISHING +12141|Nuytsia| |0085-4417|Tri-annual| |WESTERN AUSTRALIAN HERBARIUM +12142|Nyala| |0251-1924|Irregular| |WILDLIFE SOC MALAWI +12143|Nymphaea| |0253-4649|Annual| |MUZEULUI TARII CRISURILOR +12144|Oaz-Osterriechesche Apotheker-Zeitung| |0253-5238| | |OESTERREICHISCHE APOTHEKER-VERLAGSGESELLSCHAFT MBH +12145|Ob Edinennyi Institut Geologii Geofiziki I Mineralogii Trudy| |1027-3603|Irregular| |OB EDINENNYI INST GEOLOGII GEOFIZIKI I MINERALOGII +12146|Obesity|Biology & Biochemistry / Obesity; Obésité; Vetzucht|1930-7381|Monthly| |NATURE PUBLISHING GROUP +12147|Obesity and Metabolism-Milan|Clinical Medicine|1825-3865|Quarterly| |EDITRICE KURTIS S R L +12148|Obesity Facts|Clinical Medicine /|1662-4025|Bimonthly| |KARGER +12149|Obesity Research & Clinical Practice|Clinical Medicine / Obesity|1871-403X|Quarterly| |ELSEVIER SCI LTD +12150|Obesity Reviews|Clinical Medicine / Obesity|1467-7881|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12151|Obesity Surgery|Clinical Medicine / Obesity, Morbid|0960-8923|Monthly| |SPRINGER +12152|Observatory|Space Science|0029-7704|Bimonthly| |OBSERVATORY +12153|Obstetrical & Gynecological Survey|Clinical Medicine / Obstetrics; Gynecology; Generative organs, Female; Gynaecologie; Verloskunde; Obstétrique; Gynécologie; Gynécologie chirurgicale / Obstetrics; Gynecology; Generative organs, Female; Gynaecologie; Verloskunde; Obstétrique; Gynécologie;|0029-7828|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12154|Obstetrics and Gynecology|Clinical Medicine / Obstetrics; Gynecology; Verloskunde; Gynaecologie; Obstétrique; Gynécologie|0029-7844|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12155|Obstetrics and Gynecology Clinics of North America|Clinical Medicine / Gynecology; Obstetrics|0889-8545|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +12156|Occasional Papers California Academy of Sciences| |0068-5461|Irregular| |CALIFORNIA ACAD SCIENCES +12157|Occasional Papers Kagoshima University Research Center for the Pacific Islands| |1345-0441|Irregular| |KAGOSHIMA UNIV RESEARCH CTR PACIFIC ISLANDS +12158|Occasional Papers Museum of Texas Tech University| |0149-175X|Irregular| |TEXAS TECH UNIV +12159|Occasional Papers of IUCN Sri Lanka| | |Irregular| |IUCN-SRI LANKA +12160|Occasional Papers of the Department of Life Sciences University of the West Indies| | |Irregular| |UNIV WEST INDIES +12161|Occasional Papers of the Florida State Collection of Arthropods| |0885-5943|Annual| |FLORIDA DEPT AGRICULTURE & CONSUMER SERVICES +12162|Occasional Papers of the Hutton Foundation| |1171-5553|Irregular| |HUTTON FOUNDATION +12163|Occasional Papers of the IUCN Species Survival Commission| |1026-4965|Irregular| |INT UNION CONSERVATION NATURE NATURAL RESOURCES-IUCN-PUBLICATI +12164|Occasional Papers of the Moth Photographers Group| | |Irregular| |MISSISSIPPI ENTOMOL ASSOC +12165|Occasional Papers of the Museum of Natural Science Louisiana State University| |1050-4842|Irregular| |LOUISIANA STATE UNIV LIBRARIES +12166|Occasional Papers of the Museum of Zoology University of Michigan| |0076-8413|Irregular| |MUSEUM ZOOLOGY +12167|Occasional Papers of the North Carolina Museum of Natural Sciences and Thenorth Carolina Biological Survey| | |Irregular| |NORTH CAROLINA STATE MUSEUM NATURAL SCIENCES +12168|Occasional Papers of the Western Foundation of Vertebrate Zoology| |0511-7542|Irregular| |WESTERN FOUNDATION VERTEBRATE ZOOLOGY +12169|Occasional Papers on Mollusks Museum of Comparative Zoology Harvard University| |0073-0807|Irregular| |HARVARD UNIV +12170|Occasional Papers Sam Noble Oklahoma Museum of Natural History| |1526-3614|Irregular| |SAM NOBLE OKLAHOMA MUSEUM NATURAL HISTORY +12171|Occasional Papers the Museum of Southwestern Biology| |0749-2421|Irregular| |MUSEUM SOUTHWESTERN BIOLOGY +12172|Occasional Publication Eurobodalla Natural History Society| | |Irregular| |EUROBODALLA NATURAL HISTORY SOC +12173|Occasional Publication International Association of Theoretical and Applied Limnology| | |Irregular| |INT ASSOC THEORETICAL APPLIED LIMNOLOGY +12174|Occasional Publication of the Irish Biogeographical Society| | |Irregular| |IRISH BIOGEOGRAPHICAL SOC +12175|Occasional Publication of the Mammal Society| |0141-3392|Irregular| |MAMMAL SOC +12176|Occupational and Environmental Medicine|Clinical Medicine / Medicine, Industrial; Environmental health; Environmental Exposure; Environmental Health; Occupational Diseases; Occupational Health; Arbeidsgeneeskunde; Beroepsziekten; Milieugezondheidskunde; Médecine du travail; Hygiène du milieu|1351-0711|Monthly| |B M J PUBLISHING GROUP +12177|Occupational Medicine-Oxford|Clinical Medicine / Medicine, Industrial; Employee health promotion; Occupational Diseases; Occupational Health; Occupational Medicine|0962-7480|Bimonthly| |OXFORD UNIV PRESS +12178|Occupational Psychology| |0029-7976|Quarterly| |BRITISH PSYCHOLOGICAL SOC +12179|Occupations-The Vocational Guidance Journal| | | | |AMER COUNSELING ASSOC +12180|Occupations-The Vocational Guidance Magazine| | |Monthly| |AMER COUNSELING ASSOC +12181|Ocean & Coastal Management|Engineering / Marine resources; Coastal zone management; Coastal ecology|0964-5691|Monthly| |ELSEVIER SCI LTD +12182|Ocean and Polar Research| |1598-141X|Quarterly| |KOREA OCEAN RESEARCH DEVELOPMENT INST +12183|Ocean Development and International Law|Social Sciences, general / Marine resources development; Marine pollution; Law of the sea; Recht van de zee; Natuurlijke hulpbronnen; Droit maritime; Conservation des ressources marines / Marine resources development; Marine pollution; Law of the sea; Re|0090-8320|Quarterly| |TAYLOR & FRANCIS INC +12184|Ocean Dynamics|Geosciences / Hydrography; Oceanography; Marine meteorology; Oceanografie|1616-7341|Bimonthly| |SPRINGER HEIDELBERG +12185|Ocean Engineering|Engineering / Ocean engineering|0029-8018|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12186|Ocean Modelling|Geosciences / Oceanography|1463-5003|Monthly| |ELSEVIER SCI LTD +12187|Ocean Science|Geosciences /|1812-0784|Bimonthly| |COPERNICUS GESELLSCHAFT MBH +12188|Ocean Science Journal| |1738-5261|Quarterly| |KOREA OCEAN RESEARCH DEVELOPMENT INST +12189|Oceania|Social Sciences, general|0029-8077|Tri-annual| |OCEANIA PUBLICATIONS +12190|Oceanic Fisheries Programme Technical Report| |1027-0728|Irregular| |SOUTH PACIFIC COMMISSION +12191|Oceanic Linguistics|Oceanic languages; Austronesische talen; Papoeatalen; Australische talen|0029-8115|Semiannual| |UNIV HAWAII PRESS +12192|Oceanographic Research Institute Investigational Report| |0078-320X|Irregular| |OCEANOGRAPHIC RESEARCH INST +12193|Oceanographic Research Institute Special Publication| |1021-0555|Irregular| |OCEANOGRAPHIC RESEARCH INST +12194|Oceanography|Geosciences|1042-8275|Quarterly| |OCEANOGRAPHY SOC +12195|Oceanography and Marine Biology|Plant & Animal Science|0078-3218|Annual| |CRC PRESS-TAYLOR & FRANCIS GROUP +12196|Oceanologia|Geosciences|0078-3234|Quarterly| |POLISH ACAD SCIENCES INST OCEANOLOGY +12197|Oceanologia et Limnologia Sinica| |0029-814X|Bimonthly| |CHINESE SOC OCEANOLOGY LIMNOLOGY +12198|Oceanological and Hydrobiological Studies|Plant & Animal Science / Oceanography; Aquatic biology|1730-413X|Quarterly| |UNIV GDANSK +12199|Oceanology|Geosciences / Oceanography|0001-4370|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12200|Ochrona Srodowiska|Engineering|1230-6169|Quarterly| |POLISH SANITARY ENGINEERS ASSOC +12201|Ocrotirea Naturii Si A Mediului Inconjurator| |0253-1879|Semiannual| |RODIPET +12202|October|Art|0162-2870|Quarterly| |M I T PRESS +12203|Ocular Immunology and Inflammation|Clinical Medicine / Eye; Eye Diseases; Inflammation; Ogen; Immunologie; Ontstekingen (geneeskunde)|0927-3948|Quarterly| |TAYLOR & FRANCIS INC +12204|Ocular Surface|Clinical Medicine|1542-0124|Quarterly| |ETHIS COMMUNICATINS +12205|Odgojne Znanosti-Educational Sciences|Social Sciences, general|1846-1204|Semiannual| |FAC TEACHER EDUCATION +12206|Odjeljenja Prirodnikh Nauka Crnogorska Akademija Nauka I Umjetnosti Glasnik| |0350-5464|Annual| |MONTENEGRIN ACAD SCIENCES ARTS +12207|Odonatologica|Plant & Animal Science|0375-0183|Quarterly| |SOC INT ODONATOLOGICA +12208|Odonatrix| |1733-8239|Semiannual| |POLISH ENTOMOLOGICAL SOC +12209|Odontology|Clinical Medicine /|1618-1247|Annual| |SPRINGER +12210|Oecologia|Environment/Ecology / Ecology; Ecologie; Écologie|0029-8549|Semimonthly| |SPRINGER +12211|Oecologia Brasiliensis| |1980-6442|Semiannual| |UNIV FEDERAL RIO DE JANEIRO +12212|Oecologia Montana| |1210-3209|Semiannual| |PRUNELLA PUBL +12213|Oedippus| |1436-5804|Irregular| |GESELLSCHAFT SCHMETTERLINGSSCHUTZ +12214|Oeil| |0029-862X|Monthly| |OEIL +12215|Oeko-L| |0003-6528|Quarterly| |AMT NATUR UMWELT +12216|Oekologie der Voegel| |0173-0711|Semiannual| |KURATORIUM AVIFAUNISTISCHE FORSCHUNG BADEN-WUERTTEMBERG E V +12217|Oesterreichs Fischerei| |0029-9987|Bimonthly| |OSTERREICHISCHER FISCHEREIVERBAND +12218|Official Gazette of the United States Patent and Trademark Office Patents| |0098-1133|Irregular| |US GOVERNMENT PRINTING OFFICE +12219|Ofioliti|Engineering|0391-2612|Semiannual| |OFIOLITI +12220|Ogasawara Research| |0386-8176|Annual| |TOKYO METROPOLITAN UNIV +12221|Ogh-Aktuell| |1605-9344|Irregular| |OSTERREICHISCHE GESELLSCHAFT HERPETOLOGIE E V +12222|Ohio Division of Geological Survey Bulletin| |0097-5478|Irregular| |DIVISION GEOLOGICAL SURVEY +12223|Ohio Division of Geological Survey Report of Investigations| |0097-5680|Annual| |OHIO DEPT NATURAL RESOURCES +12224|Ohio Fish and Wildlife Report| |0085-4468|Irregular| |OHIO DEPT NATURAL RESOURCES +12225|Ohio Journal of Science|Environment/Ecology|0030-0950|Bimonthly| |OHIO ACAD SCIENCE +12226|Ohio Lepidopterist| |0884-5956|Quarterly| |OHIO LEPIDOPTERISTS +12227|Ohio Pharmacist| |1072-2424|Monthly| |OHIO STATE PHARMACIST +12228|Oikos|Environment/Ecology / Ecology; Ecologie; Écologie|0030-1299|Monthly| |WILEY-BLACKWELL PUBLISHING +12229|Oil & Gas Journal|Geosciences|0030-1388|Weekly| |PENNWELL PUBL CO ENERGY GROUP +12230|Oil & Gas Science and Technology-Revue de L Institut Francais Du Petrole|Engineering /|1294-4475|Bimonthly| |EDITIONS TECHNIP +12231|Oil Gas-European Magazine|Engineering|0342-5622|Quarterly| |URBAN-VERLAG GMBH +12232|Oil Shale|Geosciences / Oil-shales|0208-189X|Quarterly| |ESTONIAN ACADEMY PUBLISHERS +12233|Okajimas Folia Anatomica Japonica|Anatomy, Comparative; Morphology; Anatomy; Anatomie|0030-154X|Bimonthly| |KEIO ECONOMIC SOC +12234|Okayama University Earth Science Report| |1340-7414|Annual| |OKAYAMA UNIV +12235|Oklahoma Geological Survey Bulletin| |0078-4389|Irregular| |OKLAHOMA GEOLOGICAL SURVEY +12236|Olba| |1301-7667|Annual| |MERSIN UNIV PUBL RES CENTER CILICIAN ARCHAEOLOGY +12237|Oligonucleotides|Molecular Biology & Genetics / Oligonucleotides; Oligonucleotides, Antisense; Antisense Elements (Genetics); Gene Expression; Nucleic Acids|1545-4576|Quarterly| |MARY ANN LIEBERT INC +12238|Oltenia Studii Si Comunicari Stiintele Naturii| |1454-6914|Annual| |MUZEUL OLTENIEI CRAIOVA +12239|Omega-International Journal of Management Science|Economics & Business / Management|0305-0483|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +12240|Omega-Journal of Death and Dying|Psychiatry/Psychology / Death; Bereavement; Suicide; Antisocial Personality Disorder; Homicide; Mort; Tristesse|0030-2228|Bimonthly| |BAYWOOD PUBL CO INC +12241|Omics-A Journal of Integrative Biology|Biology & Biochemistry / Molecular genetics; Gene mapping; Nucleotide sequence; Biology; Biotechnology; Molecular Biology; Genomics|1536-2310|Quarterly| |MARY ANN LIEBERT INC +12242|Oncogene|Clinical Medicine / Oncogenes; Carcinogenese; Oncogènes|0950-9232|Weekly| |NATURE PUBLISHING GROUP +12243|ONCOLOGIE|Clinical Medicine / Oncology; Cancer; Neoplasms|1292-3818|Bimonthly| |SPRINGER FRANCE +12244|Oncologist|Clinical Medicine / Neoplasms|1083-7159|Monthly| |ALPHAMED PRESS +12245|Oncology|Clinical Medicine / Oncology; Neoplasms|0030-2414|Bimonthly| |KARGER +12246|Oncology Nursing Forum|Clinical Medicine / Cancer; Neoplasms|0190-535X|Bimonthly| |ONCOLOGY NURSING SOC +12247|Oncology Reports|Clinical Medicine / Oncology; Neoplasms; Oncologie|1021-335X|Monthly| |SPANDIDOS PUBL LTD +12248|Oncology Research|Clinical Medicine / Cancer; Oncology; Medical Oncology; Neoplasms; Research|0965-0407|Monthly| |COGNIZANT COMMUNICATION CORP +12249|Oncology-New York|Clinical Medicine|0890-9091|Monthly| |CMP MEDIA LLC +12250|Onderstepoort Journal of Veterinary Research|Plant & Animal Science /|0030-2465|Quarterly| |ONDERSTEPOORT VETERINARY INST +12251|Onkologe|Clinical Medicine / Tumors; Neoplasms; Oncologie|0947-8965|Monthly| |SPRINGER +12252|Onkologie|Clinical Medicine / Oncology; Tumors; Neoplasms|0378-584X|Bimonthly| |KARGER +12253|Online|Social Sciences, general|0146-5422|Bimonthly| |ONLINE INC +12254|Online Information Review|Computer Science / Information storage and retrieval systems; Online data processing; CD-ROMs; Information Systems; Online Systems|1468-4527|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +12255|Online Journal of Veterinary Research| |1328-925X|Irregular| |PESTSEARCH INT PTY LTD +12256|Ontario Bird Banding| |0475-025X|Annual| |ONTARIO BIRD BANDING ASSOC +12257|Ontario Birds| |0822-3890|Tri-annual| |ONTARIO FIELD ORNITHOLOGISTS-OFO +12258|Ontario Insects| |1203-3995|Tri-annual| |TORONTO ENTOMOLOGISTS ASSOC +12259|Ontario Lepidoptera| |1713-9481|Quarterly| |TORONTO ENTOMOLOGISTS ASSOC +12260|Ontario Odonata| |1495-1711|Annual| |TORONTO ENTOMOLOGISTS ASSOC +12261|Onychium| |1824-2669|Irregular| |ONYCHIUM +12262|Open Biology Journal| |1874-1967|Irregular| |BENTHAM SCIENCE PUBL LTD +12263|Open Conservation Biology Journal| |1874-8392| | |BENTHAM SCIENCE PUBL LTD +12264|Open Ecology Journal| |1874-2130|Annual| |BENTHAM SCIENCE PUBL LTD +12265|Open Economies Review|Economics & Business / Economics; Internationale economie|0923-7992|Quarterly| |SPRINGER +12266|Open Entomology Journal| |1874-4079| | |BENTHAM SCIENCE PUBL LTD +12267|Open Evolution Journal| |1874-4044| | |BENTHAM SCIENCE PUBL LTD +12268|Open Fish Science Journal| |1874-401X|Irregular| |BENTHAM SCIENCE PUBL LTD +12269|Open House International|Social Sciences, general|0168-2601|Quarterly| |OPEN HOUSE INT +12270|Open Marine Biology Journal| |1874-4508|Irregular| |BENTHAM SCIENCE PUBL LTD +12271|Open Oceanography Journal| |1874-2521|Irregular| |BENTHAM SCIENCE PUBL LTD +12272|Open Ornithology Journal| |1874-4532| | |BENTHAM SCIENCE PUBL LTD +12273|Open Paleontology Journal| |1874-4257|Irregular| |BENTHAM SCIENCE PUBL LTD +12274|Open Parasitology Journal|Parasitology|1874-4214| | |BENTHAM SCIENCE PUBL LTD +12275|Open Systems & Information Dynamics|Computer Science / Life sciences; Open systems (Physics); Systèmes ouverts (Physique); Sciences de la vie|1230-1612|Quarterly| |SPRINGER +12276|Opera| |0030-3526|Monthly| |OPERA MAGAZINE +12277|Opera Botanica| |0078-5237|Irregular| |COUNCIL NORDIC PUBLICATIONS BOTANY +12278|Opera Corcontica| |0139-925X|Annual| |STATNI ZEMEDELSKE NAKLADATELSTVI +12279|Opera Lilloana| |0078-5245|Irregular| |FUNDACION MIGUEL LILLO +12280|Opera News| |0030-3607|Monthly| |METROPOLITAN OPERA GUILD INC +12281|Opera Quarterly|Opera; Opéra; Chanteur d'opéra; Compositeur|0736-0053|Quarterly| |OXFORD UNIV PRESS +12282|Operations Research|Engineering / Operations research; Recherche opérationnelle|0030-364X|Bimonthly| |INFORMS +12283|Operations Research Letters|Engineering / Operations research|0167-6377|Monthly| |ELSEVIER SCIENCE BV +12284|Operative Dentistry|Clinical Medicine / Dentistry, Operative|0361-7734|Bimonthly| |OPERATIVE DENTISTRY INC +12285|Operative Orthopädie und Traumatologie|Clinical Medicine / Orthopedics; Orthopedic surgery; Wounds and injuries; Wounds and Injuries; Orthopedische chirurgie; Traumatologie|0934-6694|Bimonthly| |URBAN & VOGEL +12286|Operative Techniques in Sports Medicine|Clinical Medicine / Sports injuries; Athletes; Sports medicine; Athletic Injuries; Surgical Procedures, Operative|1060-1872|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +12287|Operators and Matrices|Mathematics|1846-3886|Quarterly| |ELEMENT +12288|Ophidia Review| |1464-7397|Irregular| |C-VIEW MEDIA +12289|Ophthalmic and Physiological Optics|Clinical Medicine / Optometry; Physiological optics; Optics; Vision|0275-5408|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12290|Ophthalmic Epidemiology|Clinical Medicine / Blindness; Eye; Ophthalmology; Eye Diseases; Public Health|0928-6586|Bimonthly| |TAYLOR & FRANCIS INC +12291|Ophthalmic Genetics|Clinical Medicine / Eye; Eye Diseases; Oogafwijkingen|1381-6810|Quarterly| |TAYLOR & FRANCIS INC +12292|Ophthalmic Plastic and Reconstructive Surgery|Clinical Medicine / Eye; Surgery, Plastic; Ophthalmologic Surgical Procedures / Eye; Surgery, Plastic; Ophthalmologic Surgical Procedures|0740-9303|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12293|Ophthalmic Research|Clinical Medicine / Ophthalmology; Research|0030-3747|Bimonthly| |KARGER +12294|Ophthalmic Surgery Lasers & Imaging|Clinical Medicine / Eye; Ophthalmology; Ophthalmologic Surgical Procedures; Eye Diseases; Diagnostic Imaging; Laser Surgery; Oogheelkunde; Laserchirurgie|1542-8877|Bimonthly| |SLACK INC +12295|Ophthalmologe|Clinical Medicine / Ophthalmology; Eye; Eye Diseases; Ophtalmologie|0941-293X|Monthly| |SPRINGER +12296|Ophthalmologica|Clinical Medicine / Ophthalmology; Eye; Oogheelkunde|0030-3755|Bimonthly| |KARGER +12297|Ophthalmology|Clinical Medicine / Ophthalmology|0161-6420|Monthly| |ELSEVIER SCIENCE INC +12298|Opredeliteli Po Faune Rossii| |1813-6656|Irregular| |ZOOLOGICAL INST +12299|Optica Applicata|Physics|0078-5466|Quarterly| |TECHNICAL UNIV WROCLAW +12300|Optical and Quantum Electronics|Physics / Lasers; Optoelectronic devices; Quantum electronics; Optics / Lasers; Optoelectronic devices; Quantum electronics; Optics|0306-8919|Monthly| |SPRINGER +12301|Optical Engineering|Physics / Optical instruments|0091-3286|Monthly| |SPIE-SOC PHOTOPTICAL INSTRUMENTATION ENGINEERS +12302|Optical Fiber Technology|Physics / Fiber optics; Optical fibers; Optoelectronics|1068-5200|Quarterly| |ELSEVIER SCIENCE INC +12303|Optical Materials|Materials Science / Optical materials|0925-3467|Monthly| |ELSEVIER SCIENCE BV +12304|Optical Review|Physics /|1340-6000|Bimonthly| |OPTICAL SOC JAPAN +12305|Optical Switching and Networking|Engineering /|1573-4277|Quarterly| |ELSEVIER SCIENCE INC +12306|Optics & Photonics News|Physics / Photonics; Optics; Light; Optica|1047-6938|Monthly| |OPTICAL SOC AMER +12307|Optics and Laser Technology|Physics / Optics; Lasers|0030-3992|Bimonthly| |ELSEVIER SCI LTD +12308|Optics and Lasers in Engineering|Physics / Lasers in engineering; Optical measurements; Optics|0143-8166|Monthly| |ELSEVIER SCI LTD +12309|Optics and Spectroscopy|Engineering / Optics; Spectrum analysis; Spectrum Analysis; Optica; Spectrometrie; Optique; Analyse spectrale|0030-400X|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12310|Optics Communications|Physics / Optics|0030-4018|Semimonthly| |ELSEVIER SCIENCE BV +12311|Optics Express|Physics /|1094-4087|Semimonthly| |OPTICAL SOC AMER +12312|Optics Letters|Physics / Optics|0146-9592|Semimonthly| |OPTICAL SOC AMER +12313|Optik|Physics / Optics; Optica; Optique|0030-4026|Monthly| |ELSEVIER GMBH +12314|Optimal Control Applications & Methods|Engineering / Control theory; Mathematical optimization|0143-2087|Bimonthly| |JOHN WILEY & SONS LTD +12315|Optimization|Mathematics / Mathematical optimization|0233-1934|Bimonthly| |TAYLOR & FRANCIS LTD +12316|Optimization and Engineering|Engineering /|1389-4420|Quarterly| |SPRINGER +12317|Optimization Letters|Mathematics /|1862-4472|Quarterly| |SPRINGER HEIDELBERG +12318|Optimization Methods & Software|Computer Science / Mathematical optimization; Algorithms|1055-6788|Quarterly| |TAYLOR & FRANCIS LTD +12319|Opto-Electronics Review|Physics / Optoelectronic devices|1230-3402|Quarterly| |VERSITA +12320|Optoelectronics and Advanced Materials-Rapid Communications|Materials Science|1842-6573|Monthly| |NATL INST OPTOELECTRONICS +12321|Optometry and Vision Science|Clinical Medicine / Optometry; Optics|1040-5488|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12322|Opuscula Zoologica Fluminensia| |1010-5220|Irregular| |OPUSCULA ZOOLOGICA FLUMINENSIA +12323|Opuscula Zoologica-Budapest| |0237-5419|Irregular| |EOTVOS LORAND TUDOMANYEGYETEM ALLATRENDSZERTANI ES OKOLOGIAI TANSZEKENEK +12324|OR Spectrum|Engineering / Operations research / Operations research / Operations research|0171-6468|Quarterly| |SPRINGER +12325|Oral Diseases|Clinical Medicine / Mouth; Oral medicine; Mouth Diseases|1354-523X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12326|Oral Health & Preventive Dentistry| |1602-1622|Quarterly| |QUINTESSENCE PUBLISHING CO INC +12327|Oral Oncology|Clinical Medicine / Mouth; Tumors; Mouth Diseases; Mouth Neoplasms; Bouche; Tumeurs; Mondholte; Kanker|1368-8375|Monthly| |ELSEVIER SCIENCE BV +12328|Oral Radiology|Clinical Medicine / Mouth; Face; Diagnosis, Oral; Radiography, Dental|0911-6028|Semiannual| |SPRINGER +12329|Oral Surgery Oral Medicine Oral Pathology Oral Radiology and Endodontology|Clinical Medicine / Mouth; Oral medicine; Dentistry; Mouth Diseases / Mouth; Oral medicine; Dentistry; Mouth Diseases / Mouth; Oral medicine; Dentistry; Mouth Diseases|1079-2104|Monthly| |MOSBY-ELSEVIER +12330|Orbis Litterarum|Literature; Literatuurwetenschap; Letterkunde; Littérature|0105-7510|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12331|Orca| |1477-1217|Irregular| |ORGANISATION CETACEA-ORCA +12332|Order-A Journal on the Theory of Ordered Sets and Its Applications|Mathematics / Ordered sets|0167-8094|Quarterly| |SPRINGER +12333|Ore Geology Reviews|Geosciences / Ore deposits|0169-1368|Quarterly| |ELSEVIER SCIENCE BV +12334|Oregon Birds| |0890-2313|Quarterly| |OREGON FIELD ORNITHOLOGISTS +12335|Oregon Historical Quarterly| |0030-4727|Quarterly| |OREGON HISTORICAL SOC +12336|Oreina| |1967-0133|Quarterly| |OREINA +12337|Organic & Biomolecular Chemistry|Chemistry / Chemistry, Organic; Bioorganic chemistry; Physical organic chemistry; Biochemistry; Organische chemie; Organische verbindingen; Biomoleculen|1477-0520|Semimonthly| |ROYAL SOC CHEMISTRY +12338|Organic Electronics|Engineering / Organic solid state chemistry; Photonics|1566-1199|Bimonthly| |ELSEVIER SCIENCE BV +12339|Organic Geochemistry|Geosciences / Organic geochemistry; Geochemistry; Cosmochemistry|0146-6380|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12340|Organic Letters|Chemistry / Chemistry, Organic; Chimie organique; Organische chemie|1523-7060|Biweekly| |AMER CHEMICAL SOC +12341|Organic Preparations and Procedures International|Chemistry /|0030-4948|Bimonthly| |ROUTLEDGE JOURNALS +12342|Organic Process Research & Development|Chemistry / Chemical processes; Chemical engineering; Chemistry, Organic|1083-6160|Bimonthly| |AMER CHEMICAL SOC +12343|Organic Syntheses| |0078-6209|Annual| |JOHN WILEY & SONS INC +12344|Organised Sound|Electronic music; Musique électronique; Musique électroacoustique|1355-7718|Tri-annual| |CAMBRIDGE UNIV PRESS +12345|Organisms Diversity & Evolution|Biology & Biochemistry / Biology; Evolution (Biology); Phylogeny; Biodiversity; Evolutie; Organismen|1439-6092|Quarterly| |SPRINGER HEIDELBERG +12346|Organization|Economics & Business / Organization; Organizational sociology|1350-5084|Quarterly| |SAGE PUBLICATIONS LTD +12347|Organization & Environment|Social Sciences, general / Crisis management; Environmental protection / Crisis management; Environmental protection|1086-0266|Quarterly| |SAGE PUBLICATIONS INC +12348|Organization Science|Economics & Business / Organization; Organisatiekunde; Organisation|1047-7039|Bimonthly| |INFORMS +12349|Organization Studies|Economics & Business / Organization; Organisatie; Structure sociale; Organisation; ORGANIZATIONAL RESEARCH; MANAGEMENT RESEARCH|0170-8406|Bimonthly| |SAGE PUBLICATIONS LTD +12350|Organizational Behavior and Human Decision Processes|Economics & Business / Organizational behavior; Psychology, Industrial; Psychology, Applied; Social psychology; Behavior; Decision Making|0749-5978|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +12351|Organizational Dynamics|Economics & Business / Industrial management|0090-2616|Quarterly| |ELSEVIER SCIENCE INC +12352|Organizational Research Methods|Economics & Business / Organization; Management|1094-4281|Quarterly| |SAGE PUBLICATIONS INC +12353|Organohalogen Compounds| |1026-4892|Irregular| |PROF DR OTTO HUTZINGER +12354|Organometallics|Chemistry / Organometallic compounds; Organometaalverbindingen; Composés organométalliques|0276-7333|Biweekly| |AMER CHEMICAL SOC +12355|Organon F| |1335-0668|Quarterly| |VYDAVATELSTVO SLOVENSKEJ AKAD VIED VEDA +12356|Oriental Art| |0030-5278|Quarterly| |ORIENTAL ART MAGAZINE LTD +12357|Oriental Insects|Plant & Animal Science|0030-5316|Annual| |ASSOCIATED PUBLISHERS +12358|Oriental Journal of Chemistry| |0970-020X|Semiannual| |ORIENTAL SCIENTIFIC PUBL CO +12359|Origins of Life and Evolution of Biospheres|Biology & Biochemistry / Life; Evolution; Molecular biology; Biosphere; Biogenesis; Molecular Biology / Life; Evolution; Molecular biology; Biosphere; Biogenesis; Molecular Biology / Life; Evolution; Molecular biology; Biosphere; Biogenesis; Molecular Bi|0169-6149|Bimonthly| |SPRINGER +12360|Orinoquia| |2011-2629|Semiannual| |UNIV LOS LLANOS +12361|Oriole| |0030-5553|Quarterly| |GEORGIA ORNITHOLOGICAL SOC +12362|Oriolus| |0774-7675|Quarterly| |WIELEWAAL +12363|Orkney Bird Report| |0951-2934|Annual| |ORKNEY BIRD REPORT +12364|Orkney Field Club Bulletin| |0962-6468|Annual| |ORKNEY FIELD CLUB +12365|Orl-Journal for Oto-Rhino-Laryngology and Its Related Specialties|Clinical Medicine / Otolaryngology; Keel- neus- en oorheelkunde|0301-1569|Bimonthly| |KARGER +12366|Ornis| |1018-0370|Bimonthly| |SCHWEIZER VOGELSCHUTZ SVS - BIRDLIFE SCHWEIZ +12367|Ornis Fennica|Plant & Animal Science|0030-5685|Quarterly| |BIRDLIFE FINLAND +12368|Ornis Norvegica| |1502-0878|Semiannual| |NORWEGIAN ORNITHOLOGICAL SOC-NOF +12369|Ornis Svecica| |1102-6812|Quarterly| |SVERIGES ORNITOLOGISKA FORENING +12370|Ornithological Monographs|Ornithology; Ornithologie|0078-6594|Irregular| |AMER ORNITHOLOGISTS UNION +12371|ORNITHOLOGICAL SCIENCE|Ornithology; Birds|1347-0558|Semiannual| |ORNITHOLOGICAL SOC JAPAN +12372|Ornithologische Beobachter| |0030-5707|Quarterly| |SCHWEIZERISCHE VOGELWARTE +12373|Ornithologische Gesellschaft Basel Jahresbericht| | |Annual| |ORNITHOLOGISCHE GESELLSCHAFT BASEL +12374|Ornithologische Jahresberichte des Museum Heineanum| |0947-1065|Annual| |MUSEUM HEINEANUM +12375|Ornithologische Jahreshefte fuer Baden-Wuerttemberg| |0177-5456|Annual| |DR JOCHEN HOLZINGER +12376|Ornithologische Mitteilungen| |0030-5723|Monthly| |DR THIEDE +12377|Ornithologische Schnellmitteilungen fuer Baden-Wuerttemberg| |0177-5464|Quarterly| |KURATORIUM AVIFAUNISTISCHE FORSCHUNG BADEN-WUERTTEMBERG E V +12378|Ornithologischer Anzeiger| |0940-3256|Tri-annual| |ORNITHOLOGISCHE GESELLSCHAFT IN BAYERN E V +12379|Ornithos| |1254-2962|Quarterly| |LIGUE PROTECTION OISEAUX +12380|Ornitologia Colombiana| |1794-0915|Irregular| |ASOC COLOMB ORNIT +12381|Ornitologia Neotropical|Plant & Animal Science|1075-4377|Quarterly| |NEOTROPICAL ORNITHOLOGICAL SOC +12382|Ornitologiya| |0474-7313|Annual| |MOSCOW UNIV +12383|Orphanet Journal of Rare Diseases|Clinical Medicine / Rare diseases; Rare Diseases; Orphan Drug Production|1750-1172|Irregular| |BIOMED CENTRAL LTD +12384|Orsis Organismes I Sistemes| |0213-4039|Annual| |UNIV AUTONOMA BARCELONA +12385|Orthodontics & Craniofacial Research|Clinical Medicine / Orthodontics; Orthodontics, Corrective; Orthodontic appliances; Craniofacial Abnormalities; Maxillofacial Development / Orthodontics; Orthodontics, Corrective; Orthodontic appliances; Craniofacial Abnormalities; Maxillofacial Developm|1601-6335|Quarterly| |WILEY-BLACKWELL PUBLISHING +12386|Orthopade|Clinical Medicine / Orthopedics; Orthopedic surgery|0085-4530|Monthly| |SPRINGER +12387|Orthopaedic Nursing|Social Sciences, general / Orthopedics; Orthopedic Nursing|0744-6020|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12388|Orthopaedics & Traumatology-Surgery & Research|Clinical Medicine /|1877-0568|Bimonthly| |ELSEVIER MASSON +12389|Orthopedic Clinics of North America|Clinical Medicine / Orthopedics|0030-5898|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +12390|Orthopedics|Clinical Medicine / Orthopedics|0147-7447|Monthly| |SLACK INC +12391|Orvosi Hetilap|Medicine; History of Medicine|0030-6002|Weekly| |AKADEMIAI KIADO RT +12392|Oryctos| |1290-4805|Annual| |MUSEE DINOSAURES +12393|Oryx|Environment/Ecology / Wildlife conservation; Nature conservation|0030-6053|Quarterly| |CAMBRIDGE UNIV PRESS +12394|Osaka City Medical Journal| |0030-6096|Semiannual| |OSAKA CITY MEDICAL CTR +12395|Osaka Journal of Mathematics|Mathematics|0030-6126|Quarterly| |OSAKA JOURNAL OF MATHEMATICS +12396|Osiris|Science; Natuurwetenschappen; Wetenschapsbeoefening; Culturele aspecten|0369-7827|Annual| |UNIV CHICAGO PRESS +12397|Osmia| |2031-8804|Annual| |BELGIUM FREE UNIV BRUSSELS +12398|Osnabruecker Naturwissenschaftliche Mitteilungen| |0340-4781|Annual| |NATURWISSENSCHAFTLICHEN VEREIN OSNABRUCK +12399|Osteoarthritis and Cartilage|Clinical Medicine / Osteoarthritis; Cartilage|1063-4584|Bimonthly| |W B SAUNDERS CO LTD +12400|Osteologie|Clinical Medicine / Bone Diseases|1019-1291|Quarterly| |VERLAG HANS HUBER +12401|Osteoporosis International|Clinical Medicine / Osteoporosis; Bones|0937-941X|Monthly| |SPRINGER LONDON LTD +12402|Osterreichische Musikzeitschrift| |0029-9316|Monthly| |MUSIKVERLAG ELISABETH LAFITE +12403|Österreichische Wasser- und Abfallwirtschaft| |0945-358X|Bimonthly| |SPRINGER WIEN +12404|Osterreichische Zeitschrift fur Politikwissenschaft|Social Sciences, general|1615-5548|Quarterly| |FACULTAS VERLAGS & BUCHHANDELS AG +12405|Osterreichische Zeitschrift fur Volkskunde| |0029-9669|Quarterly| |VEREIN FUR VOLKSKUNDE +12406|Osteuropa|Social Sciences, general|0030-6428|Monthly| |BWV-BERLINER WISSENSCHAFTS-VERLAG GMBH +12407|Ostomy Wound Management|Clinical Medicine|0889-5899|Monthly| |H M P COMMUNICATIONS +12408|Ostrich|Plant & Animal Science / Birds; Ornithologie|0030-6525|Semiannual| |NATL INQUIRY SERVICES CENTRE PTY LTD +12409|Otechestvennaya Istoriya| |0869-5687|Bimonthly| |ROSSIISKAYA AKAD NAUK +12410|Otjr-Occupation Participation and Health|Clinical Medicine / Occupational Therapy; Occupational therapy; Ergothérapie|1539-4492|Quarterly| |SLACK INC +12411|Otolaryngologic Clinics of North America|Clinical Medicine / Otolaryngology|0030-6665|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +12412|Otolaryngology-Head and Neck Surgery|Clinical Medicine / Head; Neck; Otolaryngology; Oto-rhino-laryngologie; Tête; Cou; Chirurgie / Head; Neck; Otolaryngology; Oto-rhino-laryngologie; Tête; Cou; Chirurgie / Head; Neck; Otolaryngology; Oto-rhino-laryngologie; Tête; Cou; Chirurgie|0194-5998|Monthly| |MOSBY-ELSEVIER +12413|Otology & Neurotology|Clinical Medicine / Otology; Otolaryngology; Skull base; Ear Diseases / Otology; Otolaryngology; Skull base; Ear Diseases|1531-7129|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12414|Otsuchi Marine Science| |1344-8420|Annual| |OTSUCHI MARINE RESEARCH CTR +12415|Oud Holland| |0030-672X|Quarterly| |BRILL ACADEMIC PUBLISHERS +12416|Our Nature| |1991-2951|Annual| |NATURE CONSERVATION & HEALTH CARE COUNCIL +12417|Outlook on Agriculture|Agricultural Sciences|0030-7270|Quarterly| |I P PUBLISHING LTD +12418|Overland| |0030-7416|Quarterly| |O L SOC LTD +12419|Oxford Art Journal|Art|0142-6540|Semiannual| |OXFORD UNIV PRESS +12420|Oxford Bulletin of Economics and Statistics|Economics & Business / Economic history; Economics; Statistics / Economic history; Economics; Statistics|0305-9049|Quarterly| |WILEY-BLACKWELL PUBLISHING +12421|Oxford Economic Papers-New Series|Economics & Business / Economics; Economie; Économie politique|0030-7653|Quarterly| |OXFORD UNIV PRESS +12422|Oxford German Studies|German literature|0078-7191|Annual| |WILLEM A MEEUWS PUBL +12423|Oxford Journal of Archaeology|Archaeology|0262-5253|Quarterly| |WILEY-BLACKWELL PUBLISHING +12424|Oxford Literary Review|Literature, Modern|0305-1498|Annual| |OXFORD LITERARY REVIEW +12425|Oxford Review of Economic Policy|Economics & Business / Economic policy|0266-903X|Quarterly| |OXFORD UNIV PRESS +12426|Oxford Review of Education|Social Sciences, general / Education; Pedagogiek; Éducation|0305-4985|Bimonthly| |ROUTLEDGE JOURNALS +12427|Oxford University Museum Publication| |0962-5305|Irregular| |OXFORD UNIV PRESS +12428|Oxfordshire Museums Occasional Paper| |0962-5313|Irregular| |OXFORDSHIRE MUSEUMS +12429|Oxidation Communications|Chemistry|0209-4541|Quarterly| |SCIBULCOM LTD +12430|Oxidation of Metals|Materials Science / Metals; Oxidation|0030-770X|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +12431|Oxidative Medicine and Cellular Longevity|Molecular Biology & Genetics /|1942-0900|Quarterly| |LANDES BIOSCIENCE +12432|Oyo Yakuri| |0300-8533|Irregular| |OYO YAKURI KENKYUKAI +12433|Ozone-Science & Engineering|Environment/Ecology / Ozone / Ozone|0191-9512|Bimonthly| |TAYLOR & FRANCIS INC +12434|P & T| |1052-1372|Monthly| |QUADRANT HEALTHCOM INC +12435|Pace-Pacing and Clinical Electrophysiology|Clinical Medicine / Cardiac pacing; Electrophysiology; Arrhythmia; Cardiac Pacing, Artificial; Pacemaker, Artificial|0147-8389|Monthly| |WILEY-BLACKWELL PUBLISHING +12436|Pachyderm|Plant & Animal Science|1026-2881|Semiannual| |IUCN-SSC ASIAN ELEPHANT SPECIALIST GROUP +12437|Pacific Affairs|Social Sciences, general / Pan-Pacific relations|0030-851X|Quarterly| |PACIFIC AFFAIRS UNIV BRITISH COLUMBIA +12438|Pacific Conservation Biology| |1038-2097|Quarterly| |SURREY BEATTY & SONS PTY LTD +12439|Pacific Economic Bulletin|Economics & Business|0817-8038|Tri-annual| |ASIA PACIFIC PRESS +12440|Pacific Economic Review|Economics & Business / Economics; Économie politique; Economische situatie|1361-374X|Quarterly| |WILEY-BLACKWELL PUBLISHING +12441|Pacific Focus|Social Sciences, general /|1225-4657|Semiannual| |INHA UNIV +12442|Pacific Historical Review|Pan-Pacific relations|0030-8684|Quarterly| |UNIV CALIFORNIA PRESS +12443|Pacific Journal of Mathematics|Mathematics / Mathematics|0030-8730|Monthly| |PACIFIC JOURNAL MATHEMATICS +12444|Pacific Journal of Optimization|Computer Science|1348-9151|Tri-annual| |YOKOHAMA PUBL +12445|Pacific Northwest Quarterly| |0030-8803|Quarterly| |UNIV WASHINGTON +12446|Pacific Philosophical Quarterly|Personality; Philosophy; Personnalisme; Philosophie|0279-0750|Quarterly| |WILEY-BLACKWELL PUBLISHING +12447|Pacific Review|Social Sciences, general /|0951-2748|Bimonthly| |ROUTLEDGE JOURNALS +12448|Pacific Salmon Commission Technical Report| | |Irregular| |PACIFIC SALMON COMMISSION +12449|Pacific Science|Multidisciplinary / Science|0030-8870|Quarterly| |UNIV HAWAII PRESS +12450|Pacific Seabird Group Technical Publication| |1521-3366|Irregular| |PACIFIC SEABIRD GROUP +12451|Pacific Seabirds| |1089-6317|Semiannual| |PACIFIC SEABIRD GROUP +12452|Pacific-Basin Finance Journal|Economics & Business / Capital market; Finance; Marché financier; Finances; Finances internationales|0927-538X|Bimonthly| |ELSEVIER SCIENCE BV +12453|Packaging Technology and Science|Engineering / Packaging|0894-3214|Bimonthly| |JOHN WILEY & SONS LTD +12454|Paddy and Water Environment|Agricultural Sciences /|1611-2490|Quarterly| |SPRINGER HEIDELBERG +12455|Paedagogica Historica|Social Sciences, general / Education; Pedagogiek|0030-9230|Bimonthly| |ROUTLEDGE JOURNALS +12456|Paediatria Croatica|Clinical Medicine|1330-1403|Quarterly| |CHILDRENS HOSPITAL ZAGREB +12457|Paediatric and Perinatal Drug Therapy|Drug Therapy; Child; Infant|1463-0095|Irregular| |LIBRAPHARM/INFORMA HEALTHCARE +12458|Paediatric and Perinatal Epidemiology|Clinical Medicine / Pediatric epidemiology; Epidemiology; Pediatrics; Perinatology|0269-5022|Quarterly| |WILEY-BLACKWELL PUBLISHING +12459|Paediatric Respiratory Reviews|Clinical Medicine / Appareil respiratoire; Pediatric respiratory diseases; Respiratory organs|1526-0542|Quarterly| |ELSEVIER SCI LTD +12460|Paediatrics & Child Health|Clinical Medicine|1205-7088|Monthly| |PULSUS GROUP INC +12461|Paideuma-Studies in American and British Modernist Poetry| |0090-5674|Semiannual| |NATL POETRY FOUNDATION +12462|Pain|Neuroscience & Behavior / Pain; Douleur; Anesthésie; Pijn|0304-3959|Monthly| |ELSEVIER SCIENCE BV +12463|Pain Clinic|Neuroscience & Behavior / Pain; Palliative Care|0169-1112|Quarterly| |VSP BV +12464|Pain Management Nursing|Social Sciences, general / Pain|1524-9042|Quarterly| |ELSEVIER SCIENCE INC +12465|Pain Medicine|Clinical Medicine / Pain; Analgesics|1526-2375|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12466|Pain Physician|Clinical Medicine|1533-3159|Bimonthly| |AM SOC INTERVENTIONAL PAIN PHYSICIANS +12467|Paj-A Journal of Performance and Art|Performing arts; Drama|1520-281X|Tri-annual| |M I T PRESS +12468|Pakistan Entomologist| |1017-1827|Bimonthly| |PAKISTAN ENTOMOLOGICAL SOC +12469|Pakistan Journal of Agricultural Sciences| |0552-9034|Semiannual| |UNIV AGRICULTURE +12470|Pakistan Journal of Biological Sciences|Biology|1028-8880|Monthly| |PAKISTAN JOURNAL BIOLOGICAL SCIENCES +12471|Pakistan Journal of Botany|Plant & Animal Science|0556-3321|Quarterly| |PAKISTAN BOTANICAL SOC +12472|Pakistan Journal of Forestry| |0030-9818|Quarterly| |PAKISTAN FOREST INST +12473|Pakistan Journal of Marine Sciences| |1019-8415|Semiannual| |UNIV KARACHI +12474|Pakistan Journal of Medical Sciences|Clinical Medicine|1682-024X|Quarterly| |PROFESSIONAL MEDICAL PUBLICATIONS +12475|Pakistan Journal of Nematology| |0255-7576|Semiannual| |PAKISTAN SOC NEMATOLOGISTS +12476|Pakistan Journal of Pharmaceutical Sciences|Pharmacology & Toxicology|1011-601X|Quarterly| |UNIV KARACHI +12477|Pakistan Journal of Scientific and Industrial Research| |0030-9885|Bimonthly| |PAKISTAN JOURNAL OF SCIENTIFIC AND INDUSTRIAL RESEARCH-PCSIR +12478|Pakistan Journal of Statistics|Mathematics|1012-9367|Quarterly| |ISOSS PUBL +12479|Pakistan Journal of Zoology|Plant & Animal Science|0030-9923|Quarterly| |ZOOLOGICAL SOC PAKISTAN +12480|Pakistan Veterinary Journal|Plant & Animal Science|0253-8318|Quarterly| |UNIV AGRICULTURE +12481|Palaeo Ichthyologica| |0724-6331|Irregular| |VERLAG DR FRIEDRICH PFEIL +12482|Palaeobiodiversity and Palaeoenvironments| |1867-1594|Quarterly| |SPRINGER HEIDELBERG +12483|Palaeobotanist| |0031-0174|Tri-annual| |BIRBAL SAHNI INST PALAEOBOTANY +12484|Palaeodiversity| |1867-6294|Irregular| |STAATLICHES MUSEUM NATURKUNDE +12485|Palaeogeography, Palaeoclimatology, Palaeoecology|Geosciences / Paleogeography; Paleoclimatology; Paleoecology|0031-0182|Semimonthly| |ELSEVIER SCIENCE BV +12486|Palaeontographia Italica| |0373-0972|Annual| |SOC TOSCANA SCIENZE NATURALI +12487|Palaeontographica Abteilung A-Palaozoologie-Stratigraphie|Geosciences|0375-0442|Bimonthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +12488|Palaeontographica Abteilung B-Palaophytologie|Geosciences|0375-0299|Quarterly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +12489|Palaeontographica Americana| |0078-8546|Irregular| |PALEONTOLOGICAL RESEARCH INST +12490|Palaeontographica Canadiana| |0821-7556|Irregular| |GEOLOGICAL ASSOC CANADA +12491|Palaeontologia Africana| |0078-8554|Irregular| |BERNARD PRICE INST PALAEONTOLOGICAL RESEARCH +12492|Palaeontologia Electronica|Geosciences|1094-8074|Tri-annual| |COQUINA PRESS +12493|Palaeontologia Indica| |0971-2844|Irregular| |GEOLOGICAL SURVEY INDIA +12494|Palaeontologia Polonica| |0078-8562|Irregular| |INST PALEOBIOLOGII PAN +12495|Palaeontologia Sinica Series B| |0375-0531|Irregular| |SCIENCE PRESS +12496|Palaeontologia Sinica Series C| |0578-1604|Irregular| |SCIENCE PRESS +12497|Palaeontological Association Field Guides to Fossils| |0962-5321|Irregular| |PALAEONTOLOGICAL ASSOC +12498|Palaeontological Society of Japan Special Papers| |0549-3927|Irregular| |PALAEONTOLOGICAL SOC JAPAN +12499|Palaeontologische Zeitschrift|Geosciences /|0031-0220|Quarterly| |SPRINGER HEIDELBERG +12500|Palaeontology|Geosciences / Paleontology; Paleontologie; Paléontologie|0031-0239|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12501|Palaeontology Newsletter| | |Quarterly| |PALAEONTOLOGICAL ASSOC +12502|Palaeontos| |1377-4654|Irregular| |PALAEO PUBLISHING LIBRARY VZW +12503|Palaeovertebrata| |0031-0247|Quarterly| |PALAEOVERTEBRATA-DIFFUSION +12504|Palaeoworld|Paleontology; Paleobiology; Geology; Paleogeography|1871-174X|Semiannual| |ELSEVIER SCIENCE BV +12505|Palaeoworld-China| |1671-2412|Irregular| |PRESS UNIV SCIENCE TECHNOLOGY CHINA +12506|Palaios|Geosciences /|0883-1351|Bimonthly| |SEPM-SOC SEDIMENTARY GEOLOGY +12507|Palarchs Journal of Vertebrate Palaeontology| | |Irregular| |PALARCH FOUNDATION +12508|PaleoAnthropology| |1545-0031|Irregular| |PALEOANTHROPOLOGY SOC +12509|Paleobiology|Biology & Biochemistry / Paleontology; Paleontologie; Paléontologie|0094-8373|Quarterly| |PALEONTOLOGICAL SOC INC +12510|Paleobios| |0031-0298|Irregular| |UNIV CALIFORNIA PRESS +12511|Paleoceanography|Geosciences / Paleoceanography; Paleo-oceanografie|0883-8305|Bimonthly| |AMER GEOPHYSICAL UNION +12512|Paleontographica Indica| | |Annual| |KESHAVA DEVA MALAVIYA INST PETROLEUM EXPLORATION +12513|Paleontologia I Evolucio| |0211-609X|Irregular| |INST PALEONTOLOGIA MIQUEL CRUSAFONT +12514|Paleontological Contributions| | |Irregular| |UNIV KANSAS PALEONTOLOGICAL INST +12515|Paleontological Journal|Geosciences / Paleontology|0031-0301|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12516|Paleontological Research|Geosciences / Paleontology|1342-8144|Quarterly| |PALAEONTOLOGICAL SOC JAPAN +12517|Paleontological Society Memoir| |0078-8597|Irregular| |PALEONTOLOGICAL SOC INC +12518|Paleontological Society Papers| |1089-3326|Irregular| |PALEONTOLOGICAL SOC - SPECIAL STUDIES +12519|Paleontologicheskii Zhurnal|Geosciences|0031-031X|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12520|Paleontolohichnyi Zbirnyk| | |Irregular| |IVAN FRANCO NATL UNIV LVIV +12521|Paléorient|Antiquities, Prehistoric; Prehistoric peoples; Archaeology; Prehistorie; Protohistorie|0153-9345|Semiannual| |CNRS EDITIONS +12522|Palestine Exploration Quarterly|Excavations (Archaeology); Archeologie; Fouilles (Archéologie)|0031-0328|Tri-annual| |MANEY PUBLISHING +12523|Palliative Medicine|Clinical Medicine / Pain; Cancer; Palliative Care; Palliatieve behandeling|0269-2163|Bimonthly| |SAGE PUBLICATIONS LTD +12524|Palms| |1523-4495|Quarterly| |INTL PALM SOC +12525|Paludicola| |1091-0263|Semiannual| |ROCHESTER INST VERTEBRATE PALEONTOLOGY +12526|Palynology|Plant & Animal Science / Palynology; Geology, Stratigraphic|0191-6122|Annual| |AMER ASSOC STRATIGRAPHIC PALYNOLOGISTS FOUNDATION +12527|Pamatky Archeologicke| |0031-0506|Annual| |ACAD SCIENCES CZECH REP +12528|Pamietnik Literacki| |0031-0514|Quarterly| |WYDAWNICTWO PAN +12529|Pan Africa News| |1884-751X|Semiannual| |MAHALE WILDLIFE CONSERVATION SOC +12530|Pan-American Journal of Aquatic Sciences| |1809-9009|Semiannual| |PAN-AMER JOURNAL AQUATIC SCIENCES +12531|Pan-Pacific Entomologist|Plant & Animal Science /|0031-0603|Quarterly| |PACIFIC COAST ENTOMOL SOC +12532|Pancreas|Clinical Medicine / Pancreas|0885-3177|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12533|Pancreatology|Clinical Medicine / Pancreas; Pancreatic Diseases|1424-3903|Bimonthly| |KARGER +12534|Panjab University Research Journal-Science| |0555-7631|Annual| |PANJAB UNIV +12535|Panminerva Medica|Clinical Medicine|0031-0808|Quarterly| |EDIZIONI MINERVA MEDICA +12536|Panoeconomicus|Economics & Business /|1452-595X|Quarterly| |SAVEZ EKONOMISTA VOJVODINE +12537|Papeis Avulsos de Zoologia-Sao Paulo|Zoology|0031-1049|Irregular| |MUSEU ZOOLOGIA UNIV SAO PAULO +12538|Papeles de Poblacion|Social Sciences, general|1405-7425|Quarterly| |UNIV AUTONOMA ESTADO MEXICO +12539|Paperi Ja Puu-Paper and Timber|Materials Science|0031-1243|Bimonthly| |FINNISH PAPER TIMBER +12540|Papers and Proceedings of the Royal Society of Tasmania| |0080-4703|Annual| |ROYAL SOC TASMANIA +12541|Papers in Regional Science|Social Sciences, general / Regional planning; City planning; Aménagement du territoire; Urbanisme; Regionale studies|1056-8190|Quarterly| |WILEY-BLACKWELL PUBLISHING +12542|Papers of the Bibliographical Society of America| |0006-128X|Quarterly| |BIBLIOGRAPHICAL SOC AMER +12543|Papers of the Peabody Museum| |0079-0303| | |HARVARD UNIV PRESS +12544|Papers of the Peabody Museum of American Archaeology and Ethnology-Harvarduniversity| | |Irregular| |HARVARD UNIV PRESS +12545|Papers of the Peabody Museum of Archaeology and Ethnology-Harvard University| |0079-0303|Irregular| |HARVARD UNIV PRESS +12546|Papers of the Regional Science Association|Regional planning; City planning; Aménagement du territoire; Urbanisme; Regionale studies|0486-2902|Quarterly| |REGIONAL SCIENCE ASSOC +12547|Papers on Anthropology| |1406-0140|Irregular| |CENTRE PHYSICAL ANTHROPOLOGY +12548|Papers on Language and Literature| |0031-1294|Quarterly| |SOUTHERN ILLINOIS UNIV +12549|Papua New Guinea Medical Journal| |0031-1480|Quarterly| |MEDICAL SOC PAPUA NEW GUINEA +12550|Parabola| |0362-1596|Quarterly| |SOC STUDY MYTH & TRADITION +12551|Paragraph|Criticism; Literature; Art criticism|0264-8334|Tri-annual| |EDINBURGH UNIV PRESS +12552|Parallax|Popular culture; Culture|1353-4645|Quarterly| |ROUTLEDGE JOURNALS +12553|Parallel Computing|Computer Science / Computers; Parallelle verwerking|0167-8191|Monthly| |ELSEVIER SCIENCE BV +12554|Parasite Immunology|Immunology / Immunology; Parasites|0141-9838|Monthly| |WILEY-BLACKWELL PUBLISHING +12555|Parasite-Journal de la Societe Francaise de Parasitologie|Biology & Biochemistry|1252-607X|Quarterly| |PRINCEPS EDITIONS +12556|Parasites & Vectors| |1756-3305|Irregular| |BIOMED CENTRAL LTD +12557|Parasitología latinoamericana| |0717-7704|Quarterly| |SOC CHILENA PARASITOLOGIA +12558|Parasitology|Microbiology / Parasitology; Parasitic Diseases; Parasitologie|0031-1820|Monthly| |CAMBRIDGE UNIV PRESS +12559|Parasitology International|Microbiology / Parasitology; Parasites; Parasitic Diseases|1383-5769|Quarterly| |ELSEVIER IRELAND LTD +12560|Parasitology Research|Microbiology / Parasitology|0932-0113|Monthly| |SPRINGER +12561|Parassitologia| |0048-2951|Tri-annual| |LOMBARDO EDITORE +12562|Parazitologiya| |0031-1847|Bimonthly| |SANKT-PETERBURGSKAYA IZDATEL SKAYA FIRMA RAN +12563|Parenting-Science and Practice|Social Sciences, general / Parenting; Child rearing|1529-5192|Quarterly| |LAWRENCE ERLBAUM ASSOC INC-TAYLOR & FRANCIS +12564|Parergon| |0313-6221|Semiannual| |AUSTRALIAN NZ ASSOC MEDIEVAL EARLY MODERN STUDIES +12565|Paris Review| |0031-2037|Quarterly| |PARIS REVIEW +12566|Parki Narodowe I Rezerwaty Przyrody| |0208-7545|Quarterly| |BIALOWIESKI PARK NARODOWY +12567|Parkinsonism & Related Disorders|Clinical Medicine / Parkinson's disease; Movement disorders; Movement Disorders; Nerve Degeneration; Nervous System Diseases; Parkinson Disease; Tremor|1353-8020|Quarterly| |ELSEVIER SCI LTD +12568|Parliamentary Affairs|Social Sciences, general / Legislative bodies|0031-2290|Quarterly| |OXFORD UNIV PRESS +12569|Parliamentary History| |0264-2824|Quarterly| |WILEY-BLACKWELL PUBLISHING +12570|Parnassus-Poetry in Review| |0048-3028|Semiannual| |POETRY IN REVIEW FOUNDATION +12571|Partial Answers-Journal of Literature and the History of Ideas| |1565-3668|Semiannual| |HEBREW UNIV MAGNES PRESS +12572|Particle & Particle Systems Characterization|Chemistry / Particles / Particles|0934-0866|Bimonthly| |WILEY-V C H VERLAG GMBH +12573|Particle and Fibre Toxicology|Pharmacology & Toxicology / Particles; Fibers; Air Pollutants, Environmental; Dust; Mineral Fibers|1743-8977|Irregular| |BIOMED CENTRAL LTD +12574|Particulate Science And Technology|Chemistry / Particles|0272-6351|Quarterly| |TAYLOR & FRANCIS INC +12575|Particuology|Materials Science /|1674-2001|Bimonthly| |ELSEVIER SCIENCE INC +12576|Party Politics|Social Sciences, general / Political parties; Political science|1354-0688|Bimonthly| |SAGE PUBLICATIONS LTD +12577|Passenger Pigeon| |0031-2703|Quarterly| |WISCONSIN SOC ORNITHOLOGY +12578|Past & Present|History|0031-2746|Quarterly| |OXFORD UNIV PRESS +12579|Pathobiology|Clinical Medicine / Clinical biochemistry; Pathology, Cellular; Pathology, Molecular; Cells; Immunity; Molecular Biology; Pathology|1015-2008|Bimonthly| |KARGER +12580|Pathologe|Clinical Medicine / Pathology|0172-8113|Bimonthly| |SPRINGER +12581|Pathologica|Pathology|0031-2983|Bimonthly| |PATHOLOGICA +12582|Pathologie Biologie|Clinical Medicine / Pathology; Biology; Medicine; Pathologie; Biologie|0369-8114|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +12583|Pathology|Clinical Medicine / Pathology|0031-3025|Quarterly| |TAYLOR & FRANCIS LTD +12584|Pathology & Oncology Research|Clinical Medicine / Carcinogenesis; Neoplasms; Oncologie; Pathologie|1219-4956|Quarterly| |SPRINGER +12585|Pathology Annual| |0079-0184|Annual| |APPLETON & LANGE +12586|Pathology International|Clinical Medicine / Pathology|1320-5463|Monthly| |WILEY-BLACKWELL PUBLISHING +12587|Pathology Research and Practice|Clinical Medicine / Pathology; Pathologie|0344-0338|Monthly| |ELSEVIER GMBH +12588|Pathophysiology of Haemostasis and Thrombosis|Clinical Medicine / Hemostasis; Thrombosis; Hémostase; Thrombose|1424-8832|Bimonthly| |KARGER +12589|Patient Care|Clinical Medicine|0031-305X|Semimonthly| |MEDICAL ECONOMICS +12590|Patient Education and Counseling|Social Sciences, general / Patient education; Counseling; Health education; Patient Education|0738-3991|Monthly| |ELSEVIER IRELAND LTD +12591|Pattern Analysis and Applications|Engineering /|1433-7541|Quarterly| |SPRINGER +12592|Pattern Recognition|Engineering / Pattern perception|0031-3203|Monthly| |ELSEVIER SCI LTD +12593|Pattern Recognition Letters|Engineering / Image processing; Pattern recognition systems; Pattern Recognition; Image Processing, Computer-Assisted; Patroonherkenning|0167-8655|Monthly| |ELSEVIER SCIENCE BV +12594|Patterns of Prejudice|Social Sciences, general / Antisemitism; Discrimination; Rechts (politiek); Antisemitisme; Vooroordelen; Extremisme|0031-322X|Quarterly| |ROUTLEDGE JOURNALS +12595|Pavo| |0031-3297|Semiannual| |SOC ANIMAL MORPHOLOGISTS PHYSIOLOGISTS +12596|Pci Journal|Engineering|0887-9672|Bimonthly| |PRECAST/PRESTRESSED CONCRETE INST +12597|Peanut Science|Peanuts|0095-3679|Semiannual| |AMER PEANUT RESEARCH & EDUCATION SOC INC +12598|Peckiana| |1618-1735|Irregular| |STAATLICHES MUSEUM NATURKUNDE GOERLITZ +12599|Pedagogical Seminary| |0891-9402|Quarterly| |CLARK UNIV PRESS +12600|Pedagogical Seminary and Journal of Genetic Psychology| |0885-6559|Quarterly| |CLARK UNIV PRESS +12601|Pedagogische Studien|Social Sciences, general|0165-0645|Bimonthly| |VOR-VFO +12602|Pedemontanum| | |Irregular| |PEDEMONTANUM +12603|Pediatric Allergy and Immunology|Clinical Medicine / Allergy in children; Immunologic diseases in children; Hypersensitivity; Immunologic Diseases; Adolescent; Child; Infant; Allergologie; Immunologie; Kindergeneeskunde|0905-6157|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12604|Pediatric Allergy Immunology and Pulmonology| |2151-321X|Quarterly| |MARY ANN LIEBERT INC +12605|Pediatric and Developmental Pathology|Clinical Medicine / Pediatric pathology; Abnormalities; Pathology, Clinical; Pediatrics|1093-5266|Bimonthly| |ALLIANCE COMMUNICATIONS GROUP DIVISION ALLEN PRESS +12606|Pediatric Anesthesia|Clinical Medicine / Pediatric anesthesia; Anesthesia; Child; Infant|1155-5645|Monthly| |WILEY-BLACKWELL PUBLISHING +12607|Pediatric Annals|Clinical Medicine / Pediatrics|0090-4481|Monthly| |SLACK INC +12608|Pediatric Blood & Cancer|Clinical Medicine / Oncology; Tumors in children; Hematology; Hematological oncology; Hematologic Diseases; Neoplasms|1545-5009|Monthly| |WILEY-LISS +12609|Pediatric Cardiology|Clinical Medicine / Pediatric cardiology; Cardiology; Heart Diseases; Child; Infant; Cardiologie; Kinderen|0172-0643|Bimonthly| |SPRINGER +12610|Pediatric Clinics of North America|Clinical Medicine / Pediatrics|0031-3955|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +12611|Pediatric Critical Care Medicine|Clinical Medicine / Pediatric intensive care; Pediatric emergencies; Critical Care; Intensive Care Units, Pediatric; Infant; Child; Intensive care; Kindergeneeskunde|1529-7535|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12612|Pediatric Dentistry|Clinical Medicine|0164-1263|Bimonthly| |AMER ACAD PEDIATRIC DENTISTRY +12613|Pediatric Dermatology|Clinical Medicine / Pediatric dermatology; Children; Dermatology; Skin Diseases; Adolescent; Child; Infant|0736-8046|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12614|Pediatric Diabetes|Clinical Medicine / Diabetes in children; Diabetes Mellitus; Child|1399-543X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12615|Pediatric Drugs|Pediatric pharmacology; Newborn infants; Pharmaceutical Preparations; Drug Therapy; Child; Adolescent / Pediatric pharmacology; Newborn infants; Pharmaceutical Preparations; Drug Therapy; Child; Adolescent|1174-5878|Monthly| |ADIS INT LTD +12616|Pediatric Emergency Care|Clinical Medicine / Pediatric emergencies; Emergencies; Emergency Medicine; Child; Infant|0749-5161|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +12617|Pediatric Exercise Science|Clinical Medicine|0899-8493|Quarterly| |HUMAN KINETICS PUBL INC +12618|Pediatric Hematology and Oncology|Clinical Medicine / Pediatric hematology; Tumors in children; Hematologic Diseases; Neoplasms; Child; Infant; Kindergeneeskunde; Hematologie; Oncologie|0888-0018|Bimonthly| |TAYLOR & FRANCIS INC +12619|Pediatric Infectious Disease Journal|Clinical Medicine / Communicable diseases in children; Infection in children; Communicable Diseases; Infection; Child; Infant; Maladies infectieuses chez l'enfant; Infection chez l'enfant|0891-3668|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12620|Pediatric Nephrology|Clinical Medicine / Pediatric nephrology; Kidney Diseases; Child; Infant|0931-041X|Monthly| |SPRINGER +12621|Pediatric Neurology|Clinical Medicine / Pediatric neurology; Nervous System; Nervous System Diseases; Child; Infant; Neurologie; Kinderen|0887-8994|Monthly| |ELSEVIER SCIENCE INC +12622|Pediatric Neurosurgery|Clinical Medicine / Nervous system; Pediatric neurology; Children; Nervous System Diseases; Neurosurgery; Child; Infant|1016-2291|Bimonthly| |KARGER +12623|Pediatric Pulmonology|Clinical Medicine / Pediatric respiratory diseases; Pediatrics; Respiratory System; Longen; Kinderen|8755-6863|Monthly| |WILEY-LISS +12624|Pediatric Radiology|Clinical Medicine / Pediatric radiology; Radiography; Radiotherapy; Child; Infant; Radiologie; Kinderen; Nucleaire geneeskunde|0301-0449|Monthly| |SPRINGER +12625|Pediatric Research|Clinical Medicine / Biology; Pediatrics; Pédiatrie|0031-3998|Monthly| |INT PEDIATRIC RESEARCH FOUNDATION +12626|Pediatric Rheumatology|Clinical Medicine / Pediatric rheumatology; Rheumatism in children; Rheumatic Diseases; Infant; Child|1546-0096|Irregular| |BIOMED CENTRAL LTD +12627|Pediatric Surgery International|Clinical Medicine / Children; Infants; Pediatrics; Surgery; Child; Infant; Kinderchirurgie|0179-0358|Bimonthly| |SPRINGER +12628|Pediatric Transplantation|Clinical Medicine / Transplantation of organs, tissues, etc. in children; Organ Transplantation; Child; Infant; Chirurgie (geneeskunde); Kinderen|1397-3142|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12629|PEDIATRICS|Clinical Medicine / Pediatrics|0031-4005|Monthly| |AMER ACAD PEDIATRICS +12630|Pediatrics and Neonatology|Clinical Medicine /|1875-9572|Bimonthly| |ELSEVIER SINGAPORE PTE LTD +12631|Pediatrics in Review|Clinical Medicine / Pediatrics|0191-9601|Monthly| |AMER ACAD PEDIATRICS +12632|Pediatrics International|Clinical Medicine / Pediatrics|1328-8067|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12633|Pediatriya-Moscow| |0031-403X|Bimonthly| |MEZHDUNARODNYI FOND OKHRANY ZDOROV YA MATERI I REBENKA +12634|Pedobiologia|Environment/Ecology / Soil biology / Soil biology|0031-4056|Bimonthly| |ELSEVIER GMBH +12635|Pedosphere|Agricultural Sciences / Soil science|1002-0160|Bimonthly| |SCIENCE CHINA PRESS +12636|Pedozoologica Hungarica| |1785-1025|Annual| |HUNGARIAN NATURAL HISTORY MUSEUM +12637|Pelvi-périnéologie|Clinical Medicine /|1778-3712|Quarterly| |SPRINGER +12638|Penguin Conservation| | |Tri-annual| |PENGUIN CONSERVATION +12639|Penn Ar Bed-Brest| |0553-4992|Quarterly| |SOC ETUDE PROTECTION NATURE EN BRETAGNE-S E P N B +12640|Pennsylvania Birds| |0898-8501|Quarterly| |PENNSYLVANIA SOC ORNITHOLOGY +12641|Pennsylvania Magazine of History and Biography| |0031-4587|Quarterly| |HISTORICAL SOC PA +12642|Pensamiento| |0031-4749|Tri-annual| |CENT LOYOLA ESTUD COMUN SOC +12643|Pensee| |0031-4773|Quarterly| |PENSEE +12644|Peptides|Biology & Biochemistry / Peptides|0196-9781|Monthly| |ELSEVIER SCIENCE INC +12645|Perception|Psychiatry/Psychology / Perception|0301-0066|Monthly| |PION LTD +12646|Perceptual and Motor Skills|Psychiatry/Psychology / Perception; Motor ability; Motor Skills; Psychology|0031-5125|Bimonthly| |AMMONS SCIENTIFIC +12647|Peregrine| |0962-533X|Annual| |MANX ORNITHOLOGICAL SOC +12648|Perfiles Latinoamericanos|Social Sciences, general|0188-7653|Semiannual| |FLACSO-MEXICO +12649|Performance Evaluation|Computer Science / Electronic data processing; Electronic digital computers|0166-5316|Monthly| |ELSEVIER SCIENCE BV +12650|Performance Research|Performing arts; Uitvoerende kunsten|1352-8165|Quarterly| |TAYLOR & FRANCIS LTD +12651|Perfumer & Flavorist| |0272-2666|Bimonthly| |ALLURED PUBL CORP +12652|Perfusion-Uk|Clinical Medicine / Perfusion (Physiology); Blood; Extracorporeal Circulation; Perfusion|0267-6591|Bimonthly| |SAGE PUBLICATIONS LTD +12653|Periodica Mathematica Hungarica|Mathematics / Mathematics|0031-5303|Quarterly| |AKADEMIAI KIADO RT +12654|Periodica Polytechnica-Chemical Engineering|Chemical engineering|0324-5853|Semiannual| |BUDAPEST UNIV TECHNOLOGY ECONOMICS +12655|Periodica Polytechnica-Civil Engineering|Engineering /|0553-6626|Semiannual| |BUDAPEST UNIV TECHNOLOGY ECONOMICS +12656|Periodico Di Mineralogia|Geosciences|0369-8963|Tri-annual| |BARDI EDITORE +12657|Periodicum Biologorum|Biology & Biochemistry|0031-5362|Quarterly| |PERIODICUM BIOLOGORUM +12658|Periodontology 2000|Clinical Medicine / Periodontics; Parodontologie|0906-6713|Tri-annual| |WILEY-BLACKWELL PUBLISHING +12659|Peritoneal Dialysis International|Clinical Medicine /|0896-8608|Bimonthly| |MULTIMED INC +12660|Perla| | |Annual| |INT SOC PLECOPTEROLOGISTS +12661|Permafrost and Periglacial Processes|Geosciences / Permafrost; Periglacial processes; Periglaciale verschijnselen; Sols gelés; Périglaciaire|1045-6740|Quarterly| |JOHN WILEY & SONS LTD +12662|Pernatye Khishchniki I Ikh Okhrana| |1814-0076|Irregular| |CTR FIELD STUDIES +12663|Personal and Ubiquitous Computing|Computer Science / Mobile computing; Portable computers; Human-computer interaction / Mobile computing; Portable computers; Human-computer interaction|1617-4909|Bimonthly| |SPRINGER LONDON LTD +12664|Personal Relationships|Psychiatry/Psychology / Interpersonal relations; Relations humaines|1350-4126|Quarterly| |WILEY-BLACKWELL PUBLISHING +12665|Personality and Individual Differences|Psychiatry/Psychology / Personality; Individuality; Personality Development|0191-8869|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +12666|Personality and Social Psychology Bulletin|Psychiatry/Psychology / Personality; Social psychology; Psychology, Social|0146-1672|Monthly| |SAGE PUBLICATIONS INC +12667|Personality and Social Psychology Review|Psychiatry/Psychology / Personality; Social psychology; Psychology, Social|1088-8683|Quarterly| |SAGE PUBLICATIONS INC +12668|Personalized Medicine|Clinical Medicine / Personal Health Services; Pharmacogenetics|1741-0541|Quarterly| |FUTURE MEDICINE LTD +12669|Personnel and Guidance Journal| |0031-5737|Monthly| |AMER COUNSELING ASSOC +12670|Personnel Psychology|Psychiatry/Psychology / Personnel management; Personnel Management; Psychology, Industrial|0031-5826|Quarterly| |WILEY-BLACKWELL PUBLISHING +12671|Personnel Review|Psychiatry/Psychology / Personnel management|0048-3486|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +12672|Persoonia|Plant & Animal Science / Mycology; Fungi; Mycologie|0031-5850|Semiannual| |RIJKSHERBARIUM +12673|Perspectivas em Ciência da Informação|Social Sciences, general / Information science; Library science|1981-5344|Tri-annual| |ESCOLA CIENCIA INFORM UFMG +12674|Perspectives in Biology and Medicine|Clinical Medicine /|0031-5982|Quarterly| |JOHNS HOPKINS UNIV PRESS +12675|Perspectives in Cytology and Genetics| |0970-4507|Irregular| |ALL INDIA CONGRESS CYTOL GENET +12676|Perspectives in Education|Social Sciences, general|0258-2236|Quarterly| |PERSPECTIVES IN EDUCATION +12677|Perspectives in Plant Ecology Evolution and Systematics|Environment/Ecology / Plant ecology; Plants|1433-8319|Semiannual| |ELSEVIER GMBH +12678|Perspectives In Psychiatric Care|Psychiatry/Psychology / Psychiatric nursing; Psychiatric Nursing; Psychiatrie; Soins infirmiers en psychiatrie; Soins psychiatriques; Soins infirmiers|0031-5990|Quarterly| |WILEY-BLACKWELL PUBLISHING +12679|Perspectives in Public Health|Social Sciences, general /|1757-9139|Bimonthly| |SAGE PUBLICATIONS LTD +12680|Perspectives on Politics|Social Sciences, general / Political science; International relations; Politieke wetenschappen / Political science; International relations; Politieke wetenschappen|1537-5927|Quarterly| |CAMBRIDGE UNIV PRESS +12681|Perspectives on Psychological Science|Psychiatry/Psychology / Psychology|1745-6916|Bimonthly| |SAGE PUBLICATIONS LTD +12682|Perspectives on Science|Science|1063-6145|Quarterly| |M I T PRESS +12683|Perspectives on Sexual and Reproductive Health|Social Sciences, general / Birth control; Reproductive health; Family Planning Services; Health Knowledge, Attitudes, Practice; Reproductive Medicine; Sexual Behavior|1538-6341|Quarterly| |WILEY-BLACKWELL PUBLISHING +12684|Perspectives-Studies in Translatology|Translating and interpreting; Traduction; Vertalen|0907-676X|Quarterly| |ROUTLEDGE JOURNALS +12685|Pertanika Journal of Tropical Agricultural Science| |0126-6128|Tri-annual| |UNIVERSITI PERTANIN MALAYSIA PRESS +12686|Pesquisa Agropecuária Brasileira|Agricultural Sciences / Agriculture|0100-204X|Monthly| |EMPRESA BRASIL PESQ AGROPEC +12687|Pesquisa Agropecuária Tropical| |1517-6398|Quarterly| |UNIV FEDERAL GOIAS +12688|Pesquisa Veterinária Brasileira|Plant & Animal Science / Veterinary medicine; Animal Diseases; Diergeneeskunde|0100-736X|Monthly| |REVISTA PESQUISA VETERINARIA BRASILEIRA +12689|Pesquisas Botanica| |0373-840X|Annual| |INST ANCHIETANO PESQUISAS +12690|Pest Management Science|Agricultural Sciences / Pests; Pesticides; Pest Control|1526-498X|Monthly| |JOHN WILEY & SONS LTD +12691|Pesticide Biochemistry and Physiology|Plant & Animal Science / Pesticides|0048-3575|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +12692|Pesticide Research Journal| |0970-6763|Semiannual| |SOC PESTICIDE SCIENCE +12693|Petermanns Geographische Mitteilungen| |0031-6229|Quarterly| |VEB HERMANN HAACK +12694|Petermanns Mitteilungen| |0323-7699|Monthly| |VEB HERMANN HAACK +12695|Peterson Field Guide Series| |1050-9461|Irregular| |HOUGHTON MIFFLIN CO +12696|Petroleum Chemistry|Chemistry / Petroleum; Petroleum products; Hydrocarbons|0965-5441|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12697|Petroleum Geology & Experiment| |1001-6112|Quarterly| |CHINESE PETROLEUM INST +12698|Petroleum Geoscience|Geosciences / Petroleum|1354-0793|Quarterly| |GEOLOGICAL SOC PUBL HOUSE +12699|Petroleum Science|Geosciences / Petroleum; Petroleum engineering|1672-5107|Quarterly| |SPRINGER HEIDELBERG +12700|Petroleum Science and Technology|Engineering / Liquid fuels|1091-6466|Monthly| |TAYLOR & FRANCIS INC +12701|Petrology|Geosciences / Petrology|0869-5911|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12702|Petrophysics|Geosciences|1529-9074|Bimonthly| |SOC PETROPHYSICISTS & WELL LOG ANALYSTS-SPWLA +12703|Pferdeheilkunde|Plant & Animal Science|0177-7726|Bimonthly| |HIPPIATRIKA VERLAG MBH +12704|Pflege|Social Sciences, general /|1012-5302|Bimonthly| |VERLAG HANS HUBER +12705|Pflugers Archiv fur die Gesamte Physiologie des Menschen und der Tiere| |0365-267X|Bimonthly| |SPRINGER +12706|Pflugers Archiv-European Journal of Physiology|Biology & Biochemistry / Physiology; Physiology, Comparative|0031-6768|Monthly| |SPRINGER +12707|Pharma Times| |0031-6849| | |INDIAN PHARMACEUTICAL ASSOC +12708|Pharmaceutical and Cosmetic Review| |1015-4760|Bimonthly| |NATL PUBLISHING PTY LTD +12709|Pharmaceutical and Pharmacological Letters| |0939-9488|Tri-annual| |MEDPHARM GMBH SCIENTIFIC PUBL +12710|Pharmaceutical Biology|Plant & Animal Science / Pharmacognosy; Materia medica, Vegetable; Drugs; Pharmaceutical Preparations; Plant Extracts|1388-0209|Bimonthly| |TAYLOR & FRANCIS INC +12711|Pharmaceutical Care and Research| |1671-2838|Quarterly| |CHINA INT BOOK TRADING CORP +12712|Pharmaceutical Chemistry Journal|Pharmacology & Toxicology / Pharmaceutical chemistry; Chemistry, Pharmaceutical|0091-150X|Monthly| |SPRINGER +12713|Pharmaceutical Development and Technology|Pharmacology & Toxicology / Drug delivery systems; Pharmaceutical technology; Drugs; Drug Delivery Systems; Pharmaceutical Preparations; Technology, Pharmaceutical|1083-7450|Bimonthly| |TAYLOR & FRANCIS INC +12714|Pharmaceutical Engineering| |0273-8139|Bimonthly| |INT SOC PHARMACEUTICAL ENGINEERING +12715|Pharmaceutical Executive| |0279-6570|Monthly| |ADVANSTAR COMMUNICATIONS INC +12716|Pharmaceutical Historian| |0079-1393|Quarterly| |BRITISH SOC HISTORY PHARMACY +12717|Pharmaceutical Journal|Pharmacology & Toxicology|0031-6873|Weekly| |PHARMACEUTICAL PRESS-ROYAL PHARMACEUTICAL SOC GREAT BRITIAN +12718|Pharmaceutical Medicine| |1178-2595|Bimonthly| |ADIS INT LTD +12719|Pharmaceutical Research|Pharmacology & Toxicology / Drugs; Pharmacy; Research; Geneesmiddelen; Pharmacologie|0724-8741|Monthly| |SPRINGER/PLENUM PUBLISHERS +12720|Pharmaceutical Statistics|Pharmacology & Toxicology / Pharmaceutical industry; Pharmacy; Statistics; Drug Industry|1539-1604|Quarterly| |JOHN WILEY & SONS INC +12721|Pharmaceutical Technology| |0147-8087|Monthly| |ADVANSTAR COMMUNICATIONS INC +12722|Pharmaceutisch Weekblad-Netherlands| |0031-6911|Weekly| |KONINKLIJKE MAATSCHAPPIJ VOOR DIERKUNDE VAN ANTWERPEN +12723|PharmacoEconomics|Clinical Medicine / Chemotherapy; Pharmaceutical industry; Outcome assessment (Medical care); Drug Therapy; Pharmacology; Geneesmiddelen; Economische aspecten; Pharmacoéconomie|1170-7690|Monthly| |ADIS INT LTD +12724|Pharmacoepidemiology and Drug Safety|Clinical Medicine / Drug Therapy; Drug Utilization; Epidemiologic Methods; Epidemiology; Pharmacology, Clinical; Product Surveillance, Postmarketing / Drug Therapy; Drug Utilization; Epidemiologic Methods; Epidemiology; Pharmacology, Clinical; Product Su|1053-8569|Bimonthly| |JOHN WILEY & SONS LTD +12725|Pharmacogenetics and Genomics|Pharmacology & Toxicology / Pharmacogenetics; Genomics|1744-6872|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12726|Pharmacogenomics|Pharmacology & Toxicology / Pharmacogenetics; Biochemical genetics; Genomics|1462-2416|Bimonthly| |FUTURE MEDICINE LTD +12727|Pharmacogenomics Journal|Pharmacology & Toxicology / Pharmacogenomics; Pharmacogenetics; Genomics|1470-269X|Quarterly| |NATURE PUBLISHING GROUP +12728|Pharmacognosy Magazine|Pharmacology & Toxicology /|0973-1296|Quarterly| |PHARMACOGNOSY NETWORK WORLDWIDE +12729|Pharmacological Reports|Pharmacology & Toxicology|1734-1140|Bimonthly| |POLISH ACAD SCIENCES INST PHARMACOLOGY +12730|Pharmacological Research|Pharmacology & Toxicology / Drugs; Pharmacology|1043-6618|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +12731|Pharmacological Reviews|Pharmacology & Toxicology / Pharmacology|0031-6997|Quarterly| |AMER SOC PHARMACOLOGY EXPERIMENTAL THERAPEUTICS +12732|Pharmacology|Pharmacology & Toxicology / Pharmacology; Farmacologie; Pharmacologie|0031-7012|Monthly| |KARGER +12733|Pharmacology & Therapeutics|Pharmacology & Toxicology / Pharmacology; Therapeutics / Pharmacology; Therapeutics|0163-7258|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12734|Pharmacology Biochemistry and Behavior|Neuroscience & Behavior / Pharmacology; Biochemistry; Toxicology; Psychophysiology; Behavior|0091-3057|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12735|Pharmacopsychiatry|Neuroscience & Behavior / Psychopharmacology; Neuropsychopharmacology; Neurophysiology; Psychology, Clinical|0176-3679|Bimonthly| |GEORG THIEME VERLAG KG +12736|Pharmacotherapy|Clinical Medicine / Chemotherapy; Pharmacology; Drug Therapy; Chimiothérapie; Pharmacologie|0277-0008|Monthly| |PHARMACOTHERAPY PUBLICATIONS INC +12737|Pharmactuel| |0834-065X|Bimonthly| |ASSOC PHARMACIENS ETABLISSEMENTS SANTE QUEBEC +12738|Pharmacy Education|Pharmacy; Education, Pharmacy; Pharmacie|1560-2214|Quarterly| |TAYLOR & FRANCIS LTD +12739|Pharmacy in History| |0031-7047|Quarterly| |AMER INST HISTORY PHARMACY +12740|Pharmacy in Practice| |0962-9734|Monthly| |MEDICOM INT +12741|Pharmacy Practice| |0829-2809| | |ROGERS MEDIA PUBLISHING LTD +12742|Pharmacy Practice News| |0886-988X|Monthly| |MAHON GROUP +12743|Pharmacy Review| |0314-6316|Bimonthly| |PHARMACY GUILD AUSTRALIA +12744|Pharmacy Times| |0003-0627|Monthly| |ROMAINE PIERSON PUBL INC +12745|Pharmacy Today| |1042-0991| | |AMER PHARMACISTS ASSOC +12746|Pharmacy World & Science|Pharmacology & Toxicology / Pharmacy; Drugs; Drug Therapy; Pharmaceutical Preparations; Geneesmiddelen; Farmacotherapie|0928-1231|Bimonthly| |SPRINGER +12747|Pharmazeutische Industrie|Pharmacology & Toxicology|0031-711X|Monthly| |ECV-EDITIO CANTOR VERLAG MEDIZIN NATURWISSENSCHAFTEN +12748|Pharmazie|Pharmacology & Toxicology / Pharmacy; Pharmaceutical Preparations|0031-7144|Monthly| |GOVI-VERLAG PHARMAZEUTISCHER VERLAG GMBH +12749|Pharmazie in unserer Zeit|Pharmacy; Drug Therapy|0048-3664|Bimonthly| |WILEY-V C H VERLAG GMBH +12750|Phase Transitions|Physics / Phase transformations (Statistical physics) / Phase transformations (Statistical physics)|0141-1594|Monthly| |TAYLOR & FRANCIS LTD +12751|Phasmid Studies| |0966-0011|Semiannual| |PHASMID STUDY GROUP +12752|Phegea| |0771-5277|Quarterly| |VLAAMSE VERENIGING VOOR ENTOMOLOGIE +12753|Phelsuma| |1026-5023|Annual| |NATURE PROTECTION TRUST SEYCHELLES +12754|Phenomenology and the Cognitive Sciences| |1568-7759|Quarterly| |SPRINGER +12755|Phi Delta Kappan|Social Sciences, general|0031-7217|Monthly| |PHI DELTA KAPPA +12756|Philippia| |0343-7620|Irregular| |NATURKUNDEMUSEUM IM OTTONEUM +12757|Philippine Agricultural Scientist|Agricultural Sciences|0031-7454|Quarterly| |UNIV PHILIPPINES LOS BANOS +12758|Philippine Entomologist| |0048-3753|Semiannual| |PHILIPPINE ASSOC ENTOMOLOGISTS +12759|Philippine Journal of Crop Science|Agricultural Sciences|0115-463X|Tri-annual| |CROP SCIENCE SOC PHILLIPPINES +12760|Philippine Journal of Science| |0031-7683|Semiannual| |SCIENCE TECHNOLOGY INFORMATION INST +12761|Philippine Journal of Systematic Biology| |1908-6865|Annual| |ASSOC SYSTEMATIC BIOLOGISTS PHILIPPINES +12762|Philippine Journal of Veterinary Medicine| |0031-7705|Semiannual| |UNIV PHILIPPINES LOS BANOS +12763|Philippine Political Science Journal|Social Sciences, general|0115-4451|Annual| |PHILIPPINE POLITICAL SCIENCE ASSOC +12764|Philippine Science Letters| | |Irregular| |UNIV PHILIPPINES +12765|The Philippine Scientist|Science|0079-1466|Annual| |SAN CARLOS PUBLICATIONS +12766|Philological Quarterly| |0031-7977|Quarterly| |UNIV IOWA +12767|Philologus|Classical philology; Filologie; Klassieke talen|0031-7985|Semiannual| |AKADEMIE VERLAG GMBH +12768|Philosophia|Philosophy; Filosofie; Philosophie|0048-3893|Quarterly| |SPRINGER +12769|Philosophia Africana| |1539-8250|Semiannual| |DEPAUL UNIV +12770|Philosophia Mathematica|Mathematics; Wiskunde; Filosofische aspecten|0031-8019|Tri-annual| |OXFORD UNIV PRESS INC +12771|Philosophia-International Journal of Philosophy| |0115-8988|Semiannual| |PHILIPPINE NATL PHILOSOPHICAL RES SOC +12772|Philosophical Explorations|Philosophy of mind; Act (Philosophy)|1386-9795|Tri-annual| |ROUTLEDGE JOURNALS +12773|Philosophical Forum|Philosophy; Filosofie; Philosophie|0031-806X|Quarterly| |WILEY-BLACKWELL PUBLISHING +12774|Philosophical Investigations|Philosophy|0190-0536|Quarterly| |WILEY-BLACKWELL PUBLISHING +12775|Philosophical Magazine|Materials Science / Condensed matter; Physics; Matière condensée; Physique|1478-6435|Biweekly| |TAYLOR & FRANCIS LTD +12776|Philosophical Magazine Letters|Physics / Condensed matter; Physics; Solid state physics|0950-0839|Monthly| |TAYLOR & FRANCIS LTD +12777|Philosophical Papers| |0556-8641|Tri-annual| |ROUTLEDGE JOURNALS +12778|Philosophical Perspectives|Philosophy; Filosofie; Philosophie|1520-8583|Annual| |WILEY-BLACKWELL PUBLISHING +12779|Philosophical Psychology|Psychiatry/Psychology / Psychology; Philosophy; Psychologie; Filosofische aspecten|0951-5089|Bimonthly| |ROUTLEDGE JOURNALS +12780|Philosophical Quarterly|Philosophy; Filosofie; Philosophie|0031-8094|Quarterly| |WILEY-BLACKWELL PUBLISHING +12781|Philosophical Review|Philosophy; Filosofie; Philosophie / Philosophy; Filosofie; Philosophie|0031-8108|Quarterly| |CORNELL UNIV SAGE SCHOOL PHILOSOPHY +12782|Philosophical Studies|Philosophy|0031-8116|Monthly| |SPRINGER +12783|Philosophical Transactions of the Royal Society A-Mathematical Physical and Engineering Sciences|Physics / Physical sciences; Engineering; Mathematics; Natural Sciences; Exacte wetenschappen; Wiskunde; Technische wetenschappen|1364-503X|Monthly| |ROYAL SOC +12784|Philosophical Transactions of the Royal Society B-Biological Sciences|Biology & Biochemistry / Biology; Science; Meteorology|0962-8436|Monthly| |ROYAL SOC +12785|Philosophical Transactions of the Royal Society of London Series A-Containing Papers of A Mathematical or Physical Character| |0264-3952| | |ROYAL SOC +12786|Philosophical Transactions of the Royal Society of London Series A-Mathematical and Physical Sciences| |0080-4614|Irregular| |ROYAL SOC +12787|Philosophical Transactions of the Royal Society of London Series B-Containing Papers of A Biological Character|Biology; Science; Biological Sciences|0264-3960| | |ROYAL SOC +12788|Philosophische Rundschau| |0031-8159|Quarterly| |J C B MOHR +12789|Philosophisches Jahrbuch| |0031-8183|Semiannual| |VERLAG KARL ALBER +12790|Philosophy|Philosophy; Filosofie|0031-8191|Quarterly| |CAMBRIDGE UNIV PRESS +12791|Philosophy & Public Affairs|Social Sciences, general / Social sciences; Social history / Social sciences; Social history|0048-3915|Quarterly| |WILEY-BLACKWELL PUBLISHING +12792|Philosophy & Social Criticism|Philosophy; Political science; Filosofie; Maatschappijkritiek; Civilisation; Histoire sociale; Culture / Philosophy; Political science; Filosofie; Maatschappijkritiek; Civilisation; Histoire sociale; Culture|0191-4537|Monthly| |SAGE PUBLICATIONS INC +12793|Philosophy and Literature| |0190-0013|Semiannual| |JOHNS HOPKINS UNIV PRESS +12794|Philosophy and Phenomenological Research|Philosophy; Phenomenology; Filosofie; Fenomenologie|0031-8205|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12795|Philosophy and Rhetoric| |0031-8213|Quarterly| |PENN STATE UNIV PRESS +12796|Philosophy East & West|Philosophy; Philosophy, Asian|0031-8221|Quarterly| |UNIV HAWAII PRESS +12797|Philosophy of Science|Science; Natuurwetenschappen; Filosofie; Sciences|0031-8248|Bimonthly| |UNIV CHICAGO PRESS +12798|Philosophy of the Social Sciences|Social sciences / Social sciences|0048-3931|Quarterly| |SAGE PUBLICATIONS INC +12799|Philosophy Today| |0031-8256|Quarterly| |PHILOSOPHY TODAY DEPAUL UNIV +12800|Phlebologie|Clinical Medicine|0939-978X|Bimonthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +12801|Phlebologie-Annales Vasculaires|Clinical Medicine| |Quarterly| |SOC FRANCAISE PHLEBOLOGIE +12802|Phlebology|Clinical Medicine / Blood-vessels; Vascular Diseases|0268-3555|Bimonthly| |ROYAL SOC MEDICINE PRESS LTD +12803|Phoenix|Classical philology; Klassieke talen; Filologie; Klassieke oudheid|0261-2852|Annual| |MICHAEL C JENNINGS +12804|Phoenix-The Journal of the Classical Association of Canada| |0031-8299|Semiannual| |CLASSICAL ASSOC CANADA +12805|Phonetica|Social Sciences, general / Phonetics; Fonetiek|0031-8388|Quarterly| |KARGER +12806|Phonology|Social Sciences, general / Grammar, Comparative and general; Fonologie|0952-6757|Tri-annual| |CAMBRIDGE UNIV PRESS +12807|Phosphorus Sulfur and Silicon and the Related Elements|Chemistry / Sulfur compounds; Organosulfur compounds; Phosphorus compounds; Organophosphorus compounds; Silicon compounds; Organosilicon compounds|1042-6507|Monthly| |TAYLOR & FRANCIS LTD +12808|Photochemical & Photobiological Sciences|Biology & Biochemistry / Photochemistry; Photobiology / Photochemistry; Photobiology|1474-905X|Monthly| |ROYAL SOC CHEMISTRY +12809|Photochemistry and Photobiology|Biology & Biochemistry / Photochemistry; Light; Fotochemie; Fotobiologie; Photochimie; Lumière|0031-8655|Monthly| |WILEY-BLACKWELL PUBLISHING +12810|Photodermatology Photoimmunology & Photomedicine|Clinical Medicine / Photosensitivity disorders; Dermatology; Immunology; Immunity; Phototherapy / Photosensitivity disorders; Dermatology; Immunology; Immunity; Phototherapy|0905-4383|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12811|Photodiagnosis and Photodynamic Therapy|Clinical Medicine / Phototherapy; Photochemotherapy; Lasers in medicine; Photosensitizing Agents|1572-1000|Quarterly| |ELSEVIER SCIENCE BV +12812|Photogrammetric Engineering and Remote Sensing|Geosciences|0099-1112|Monthly| |AMER SOC PHOTOGRAMMETRY +12813|Photogrammetric Record|Geosciences / Photogrammetry|0031-868X|Quarterly| |WILEY-BLACKWELL PUBLISHING +12814|Photogrammetrie Fernerkundung Geoinformation|Geosciences /|1432-8364|Bimonthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +12815|Photomedicine and Laser Surgery|Clinical Medicine / Lasers in surgery; Lasers in medicine; Phototherapy; Photobiology; Laser Surgery|1549-5418|Bimonthly| |MARY ANN LIEBERT INC +12816|Photonic Network Communications|Computer Science / Optical communications; Telecommunicatie; Opto-elektronica / Optical communications; Telecommunicatie; Opto-elektronica|1387-974X|Bimonthly| |SPRINGER +12817|Photonics and Nanostructures-Fundamentals and Applications|Physics / Photonics; Nanostructures|1569-4410|Tri-annual| |ELSEVIER SCIENCE BV +12818|Photonics Spectra|Physics|0731-1230|Monthly| |LAURIN PUBL CO INC +12819|Photonirvachak-Journal of the Indian Society of Remote Sensing|Engineering|0255-660X|Quarterly| |INDIAN SOC REMOTE SENSING +12820|Photosynthesis Research|Plant & Animal Science / Photosynthesis|0166-8595|Monthly| |SPRINGER +12821|Photosynthetica|Plant & Animal Science / Photosynthesis|0300-3604|Quarterly| |SPRINGER +12822|Phronesis-A Journal for Ancient Philosophy|Philosophy, Ancient; Philosophie ancienne|0031-8868|Quarterly| |BRILL ACADEMIC PUBLISHERS +12823|Phuket Marine Biological Center Special Publication| |0858-3633|Semiannual| |PHUKET MARINE BIOLOGICAL CTR +12824|Phuket Marine Biological Center Research Bulletin| |0858-1088|Irregular| |PHUKET MARINE BIOLOGICAL CTR +12825|Phycologia|Plant & Animal Science / Algae|0031-8884|Bimonthly| |INT PHYCOLOGICAL SOC +12826|Phycological Research|Plant & Animal Science / Algae|1322-0829|Quarterly| |WILEY-BLACKWELL PUBLISHING +12827|Phykos| |0554-1182|Semiannual| |PHYCOLOGICAL SOC +12828|Phyllomedusa| |1519-1397|Semiannual| |MELOPSITTACUS PUBLICACOES CIENTIFICAS LTDA +12829|Physica|Physics|0031-8914|Monthly| |ELSEVIER SCIENCE BV +12830|Physica A-Statistical Mechanics and Its Applications|Physics / Mathematical physics; Statistical physics / Mathematical physics; Statistical physics|0378-4371|Semimonthly| |ELSEVIER SCIENCE BV +12831|Physica B-Condensed Matter|Physics / Condensed matter|0921-4526|Semimonthly| |ELSEVIER SCIENCE BV +12832|Physica C-Superconductivity and Its Applications|Physics / Superconductivity; Physics|0921-4534|Biweekly| |ELSEVIER SCIENCE BV +12833|Physica D-Nonlinear Phenomena|Physics / Physics; Nonlinear theories|0167-2789|Semimonthly| |ELSEVIER SCIENCE BV +12834|Physica E-Low-Dimensional Systems & Nanostructures|Physics / Nanostructures; Low-dimensional semiconductors|1386-9477|Monthly| |ELSEVIER SCIENCE BV +12835|Physica Medica|Biology & Biochemistry / Biophysics|1120-1797|Quarterly| |IST EDITORIALI POLGRAFICI INT +12836|Physica Scripta|Physics / Physics; Natuurkunde; Physique|0031-8949|Monthly| |IOP PUBLISHING LTD +12837|Physica Status Solidi A-Applications and Materials Science|Physics|1862-6300|Monthly| |WILEY-V C H VERLAG GMBH +12838|Physica Status Solidi B-Basic Solid State Physics|Physics / Solid state physics; Solids; Atomic structure|0370-1972|Monthly| |WILEY-V C H VERLAG GMBH +12839|Physica Status Solidi-Rapid Research Letters|Physics / Solid state physics|1862-6254|Bimonthly| |WILEY-V C H VERLAG GMBH +12840|Physical Biology|Biology & Biochemistry / Biophysics; Biochemistry; Biology|1478-3967|Quarterly| |IOP PUBLISHING LTD +12841|Physical Chemistry Chemical Physics|Chemistry / Chemistry, Physical and theoretical; Chemistry, Physical; Physics|1463-9076|Weekly| |ROYAL SOC CHEMISTRY +12842|Physical Geography|Geosciences / Physical geography|0272-3646|Bimonthly| |BELLWETHER PUBL LTD +12843|Physical Medicine and Rehabilitation Clinics of North America|Clinical Medicine / Medicine, Physical; Medical rehabilitation; Physical Medicine; Physical Therapy Techniques; Rehabilitation|1047-9651|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +12844|Physical Mesomechanics|Materials Science / Rheology; Deformations (Mechanics); Materials; Solid state physics|1029-9599|Tri-annual| |ELSEVIER SCIENCE BV +12845|Physical Review|Physics; Natuurkunde; Physique|0031-899X|Weekly| |AMER INST PHYSICS +12846|Physical Review A|Physics / Nuclear physics; Statistical physics; Plasma (Ionized gases); Fluids|1050-2947|Monthly| |AMER PHYSICAL SOC +12847|Physical Review A-General Physics| |0556-2791|Irregular| |AMER PHYSICAL SOC +12848|Physical Review B|Physics / Condensed matter; Solid state physics; Surfaces (Physics); Matière condensée; Physique de l'état solide; Surfaces (Physique)|1098-0121|Weekly| |AMER PHYSICAL SOC +12849|Physical Review B-Solid State| |1098-0121|Irregular| |AMER PHYSICAL SOC +12850|Physical Review C|Physics / Nuclear physics; Nuclear Physics|0556-2813|Monthly| |AMER PHYSICAL SOC +12851|Physical Review D|Physics / Nuclear physics; Particles (Nuclear physics); Gravitation; Cosmology; General relativity (Physics); Quantum gravity; Elementaire deeltjes; Veldentheorie; Gravitatie; Kosmologie|1550-7998|Semimonthly| |AMER PHYSICAL SOC +12852|Physical Review E|Physics / Statistical physics; Plasma (Ionized gases); Fluids; Fluides; Plasma (Gaz ionisés); Physique statistique; Physics; Biophysics; Nonlinear Dynamics; Statistics; Vloeistofmechanica; Statistische mechanica; Plasma's|1539-3755|Semimonthly| |AMER PHYSICAL SOC +12853|Physical Review Letters|Physics / Physics; Natuurkunde; Physique|0031-9007|Weekly| |AMER PHYSICAL SOC +12854|Physical Review Special Topics-Accelerators and Beams|Physics /|1098-4402|Monthly| |AMER PHYSICAL SOC +12855|Physical Review Special Topics-Physics Education Research|Physics /|1554-9178|Semiannual| |AMER PHYSICAL SOC +12856|Physical Therapy|Clinical Medicine / Physical therapy; Physical Therapy Techniques; Fysiotherapie; Physiothérapie|0031-9023|Monthly| |AMER PHYSICAL THERAPY ASSOC +12857|Physical Therapy in Sport|Clinical Medicine / Physical therapy; Sports injuries; Athletic Injuries; Physical Therapy Techniques; Sports Medicine|1466-853X|Quarterly| |CHURCHILL LIVINGSTONE +12858|Physicochemical Problems of Mineral Processing|Geosciences|0137-1282|Annual| |OFICYNA WYDAWNICZA POLITECHNIKI WROCLAWSKIEJ +12859|Physics and Chemistry of Glasses-European Journal of Glass Science and Technology Part B|Materials Science|1753-3562|Bimonthly| |SOC GLASS TECHNOLOGY +12860|Physics and Chemistry of Liquids|Chemistry / Liquids|0031-9104|Bimonthly| |TAYLOR & FRANCIS LTD +12861|Physics and Chemistry of Minerals|Geosciences / Minerals; Geochemistry|0342-1791|Bimonthly| |SPRINGER +12862|Physics and Chemistry of The Earth|Geosciences / Geophysics; Geochemistry; Geofysica; Geochemie / Geophysics; Geochemistry; Earth sciences; Geodesy; Astrophysics|1474-7065|Biweekly| |PERGAMON-ELSEVIER SCIENCE LTD +12863|Physics in Medicine and Biology|Physics / Biophysics; Medical physics; Physics|0031-9155|Semimonthly| |IOP PUBLISHING LTD +12864|Physics in Perspective|Physics / Physics; Natuurkunde; Filosofische aspecten / Physics; Natuurkunde; Filosofische aspecten|1422-6944|Quarterly| |BIRKHAUSER VERLAG AG +12865|Physics Letters A|Physics / Physics; Natuurkunde; Physique|0375-9601|Weekly| |ELSEVIER SCIENCE BV +12866|Physics Letters B|Physics / Nuclear physics; Particles (Nuclear physics); Nuclear Physics|0370-2693|Weekly| |ELSEVIER SCIENCE BV +12867|Physics of Atomic Nuclei|Physics / Nuclear physics|1063-7788|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12868|Physics of Fluids|Physics / Fluid dynamics; Fluids; Vloeistoffen; Natuurkunde|1070-6631|Monthly| |AMER INST PHYSICS +12869|Physics of Life Reviews|Biology & Biochemistry / Biophysics; Biology|1571-0645|Quarterly| |ELSEVIER SCIENCE BV +12870|Physics of Metals and Metallography|Materials Science / Physical metallurgy|0031-918X|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12871|Physics of Particles and Nuclei|Physics / Particles (Nuclear physics); Nuclear physics|1063-7796|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12872|Physics of Plasmas|Physics / Plasma (Ionized gases); Plasmafysica|1070-664X|Monthly| |AMER INST PHYSICS +12873|Physics of The Earth and Planetary Interiors|Geosciences / Geophysics; Planets|0031-9201|Monthly| |ELSEVIER SCIENCE BV +12874|Physics of the Solid State|Physics / Solid state physics|1063-7834|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12875|Physics of Wave Phenomena|Physics / Vibration; Wave-motion, Theory of|1541-308X|Quarterly| |ALLERTON PRESS INC +12876|Physics Reports-Review Section of Physics Letters|Physics / Physics|0370-1573|Weekly| |ELSEVIER SCIENCE BV +12877|Physics Today|Physics / Physics; Natuurkunde; Physique|0031-9228|Monthly| |AMER INST PHYSICS +12878|Physics World|Physics|0953-8585|Monthly| |IOP PUBLISHING LTD +12879|Physics-A Journal of General and Applied Physics| |0148-6349| | |AMER PHYSICAL SOC +12880|Physics-Uspekhi|Physics / Physics; Natuurkunde; Russisch; Physique|1063-7869|Monthly| |IOP PUBLISHING LTD +12881|Physikalische Medizin Rehabilitationsmedizin Kurortmedizin|Social Sciences, general / Health Resorts; Physical Medicine; Physical Therapy Techniques|0940-6689|Bimonthly| |GEORG THIEME VERLAG KG +12882|Physikalische Zeitschrift| | |Irregular| |S HIRZEL VERLAG +12883|Physikalische Zeitschrift der Sowjetunion| |1011-0356|Irregular| |AKAD VERLAGSGESELLSCH GEEST & PORTIG +12884|Physiologia Plantarum|Plant & Animal Science / Plant physiology; Physiologie végétale|0031-9317|Monthly| |WILEY-BLACKWELL PUBLISHING +12885|Physiological and Biochemical Zoology|Plant & Animal Science / Zoology; Physiology, Comparative; Biochemistry; Physiology|1522-2152|Bimonthly| |UNIV CHICAGO PRESS +12886|Physiological and Molecular Plant Pathology|Plant & Animal Science / Plant diseases; Diseased plants; Phytopathogenic microorganisms|0885-5765|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +12887|Physiological Chemistry and Physics and Medical Nmr| |0748-6642|Semiannual| |PACIFIC PRESS +12888|Physiological Entomology|Plant & Animal Science / Insects; Entomology|0307-6962|Quarterly| |WILEY-BLACKWELL PUBLISHING +12889|Physiological Genomics|Molecular Biology & Genetics / Molecular biology; Genomics; Genetics; Genome; Physiology|1094-8341|Irregular| |AMER PHYSIOLOGICAL SOC +12890|Physiological Measurement|Biology & Biochemistry / Biomedical Engineering; Biophysics; Monitoring, Physiologic|0967-3334|Monthly| |IOP PUBLISHING LTD +12891|Physiological Research|Biology & Biochemistry|0862-8408|Bimonthly| |ACAD SCIENCES CZECH REPUBLIC +12892|Physiological Reviews|Biology & Biochemistry / Physiology; Fysiologie; Physiologie|0031-9333|Quarterly| |AMER PHYSIOLOGICAL SOC +12893|Physiology|Biology & Biochemistry / Physiology; Fysiologie|1548-9213|Bimonthly| |AMER PHYSIOLOGICAL SOC +12894|Physiology & Behavior|Neuroscience & Behavior / Physiology; Psychophysiology; Behavior; Neurophysiology / Physiology; Psychophysiology; Behavior; Neurophysiology|0031-9384|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12895|Physiology and Biochemistry of Cultivated Plants| |0532-9310|Bimonthly| |INST PLANT PHYSIOL GENETICS +12896|Physiology and Molecular Biology of Plants| |0971-5894|Semiannual| |SPRINGER +12897|Physiotherapy|Clinical Medicine / Physical therapy; Therapeutics, Physiological; Physical Therapy Techniques; Fysiotherapie|0031-9406|Quarterly| |ELSEVIER SCI LTD +12898|Physiotherapy Canada|Clinical Medicine / Physiothérapie|0300-0508|Quarterly| |UNIV TORONTO PRESS INC +12899|Physiotherapy Theory and Practice|Physical therapy; Physical Therapy Techniques|0959-3985|Bimonthly| |PSYCHOLOGY PRESS +12900|Physis Secciones A B Y C| |0326-1441|Semiannual| |ASOCIACION ARGENTINA CIENCIAS NATURALES +12901|Phytochemical Analysis|Plant & Animal Science / Plants|0958-0344|Bimonthly| |JOHN WILEY & SONS LTD +12902|Phytochemistry|Plant & Animal Science / Botanical chemistry; Biochemistry; Botany; Botanique; Biochimie; Plantkunde|0031-9422|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +12903|Phytochemistry Letters|Plant & Animal Science /|1874-3900|Quarterly| |ELSEVIER SCIENCE BV +12904|Phytochemistry Reviews|Plant & Animal Science / Botanical chemistry; Plants; Fytochemie|1568-7767|Tri-annual| |SPRINGER +12905|Phytocoenologia|Plant & Animal Science / Plant communities; Plant ecology; Vegetatie; Ecologie; Associations végétales; Écologie végétale|0340-269X|Irregular| |GEBRUDER BORNTRAEGER +12906|Phytologia Balcanica| |1310-7771|Semiannual| |INST BOTANY +12907|Phytomedicine|Pharmacology & Toxicology / Herbs; Materia medica, Vegetable; Medicine, Herbal; Plant Extracts; Plants, Medicinal; Fytotherapie; Geneeskrachtige planten|0944-7113|Bimonthly| |ELSEVIER GMBH +12908|Phytomorphology| |0031-9449|Quarterly| |INT SOC PLANT MORPHOLOGISTS +12909|Phyton-Annales Rei Botanicae|Plant & Animal Science|0079-2047|Semiannual| |FERDINAND BERGER SOEHNE +12910|Phyton-International Journal of Experimental Botany|Plant & Animal Science|0031-9457|Annual| |FUNDACION ROMULO RAGGIO +12911|Phytoparasitica|Plant & Animal Science / Plant diseases; Weeds; Phytopathogenic fungi; Agricultural pests|0334-2123|Bimonthly| |SPRINGER +12912|Phytopathologia Mediterranea|Plant & Animal Science|0031-9465|Tri-annual| |MEDITERRANEAN PHYTOPATHOLOGICAL UNION +12913|Phytopathology|Plant & Animal Science / Plant diseases; Botany; Plant Viruses|0031-949X|Monthly| |AMER PHYTOPATHOLOGICAL SOC +12914|Phytophaga-Palermo| |0393-8131|Semiannual| |UNIV PALERMO +12915|Phytoprotection|Plant & Animal Science|0031-9511|Tri-annual| |QUEBEC SOC PROTECT PLANTS +12916|Phytotaxonomy| |0972-4206|Annual| |DEEP PUBL +12917|Phytotherapie|Materia medica, Vegetable; Medicinal plants; Phytotherapy|1624-8597|Bimonthly| |SPRINGER FRANCE +12918|Phytotherapy Research|Pharmacology & Toxicology / Materia medica, Vegetable; Botany, Medical; Medicinal plants; Plant Extracts; Plants, Medicinal|0951-418X|Monthly| |JOHN WILEY & SONS LTD +12919|Pianura| |0031-9570|Annual| |PIANURA +12920|Pices Scientific Report| |1198-273X|Irregular| |NORTH PACIFIC MARINE SCIENCE ORGANIZATION +12921|Pices Special Publication| |1813-8519|Irregular| |NORTH PACIFIC MARINE SCIENCE ORGANIZATION +12922|Picus| |0394-2937|Semiannual| |CENTRO ITALIANO STUDI NIDI ARTIFICIALI +12923|Pigment & Resin Technology|Materials Science / Paint; Paint materials; Pigments; Gums and resins / Paint; Paint materials; Pigments; Gums and resins|0369-9420|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +12924|Pigment Cell & Melanoma Research|Chromatophores; Animal pigments; Melanoma; Pigmentation|1755-1471|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12925|Pigs Peccaries and Hippos News| | |Irregular| |IUCN-SSC PIGS +12926|Pirineos|Mountain ecology|0373-2568|Annual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +12927|Pisces Hungarici| |1789-1329|Irregular| |MAGYAR HALTANI TARSASAG +12928|Pisum Genetics| |1320-2510|Annual| |PISUM GENETICS ASSOC +12929|Pituitary|Clinical Medicine / Pituitary gland; Pituitary hormones; Pituitary Diseases; Pituitary Gland; Pituitary Hormones|1386-341X|Quarterly| |SPRINGER +12930|Placenta|Clinical Medicine / Placenta; Reproduction|0143-4004|Bimonthly| |W B SAUNDERS CO LTD +12931|Places-A Forum of Environmental Design| |0731-0455|Tri-annual| |DESIGN HISTORY FOUNDATION +12932|Plains Anthropologist|Social Sciences, general|0032-0447|Quarterly| |PLAINS ANTHROPOLOGICAL SOC +12933|Plainsong & Medieval Music|Music; Gregorian chants|0961-1371|Semiannual| |CAMBRIDGE UNIV PRESS +12934|Planetary and Space Science|Space Science / Space sciences; Atmosphere, Upper|0032-0633|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +12935|Plankton & Benthos Research|Plankton; Benthos|1880-8247|Quarterly| |PLANKTON SOC JAPAN +12936|Plankton Biology and Ecology| |1343-0874|Semiannual| |PLANKTON SOC JAPAN +12937|Planning Theory|Planning; City planning|1473-0952|Quarterly| |SAGE PUBLICATIONS INC +12938|Plant and Cell Physiology|Plant & Animal Science / Plant physiology; Microbiology; Cytology; Cell Physiology; Plant Physiology|0032-0781|Monthly| |OXFORD UNIV PRESS +12939|Plant and Soil|Environment/Ecology / Plant-soil relationships; Plants; Soil microbiology; Plant diseases; Botanical chemistry; Bodem; Planten; Relations plante-sol; Plantes; Sols; Chimie végétale|0032-079X|Semimonthly| |SPRINGER +12940|Plant Archives|Plant & Animal Science|0972-5210|Semiannual| |R S YADAV +12941|Plant Biology|Plant & Animal Science / Botany; Plants; Plant Proteins; Gene Expression Regulation, Plant|1435-8603|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12942|Plant Biology-Rockville| |0894-4563|Irregular| |AMER SOC PLANT BIOLOGISTS +12943|Plant Biosystems|Plant & Animal Science / Botany; Biological systems; Plants / Botany; Biological systems; Plants|1126-3504|Tri-annual| |TAYLOR & FRANCIS LTD +12944|Plant Biotechnology|Plant & Animal Science|1342-4580|Bimonthly| |JAPANESE SOC PLANT CELL & MOLECULAR BIOL +12945|Plant Biotechnology Journal|Plant & Animal Science / Plant biotechnology; Biotechnology; Plants|1467-7644|Monthly| |WILEY-BLACKWELL PUBLISHING +12946|Plant Biotechnology Reports|Plant & Animal Science /|1863-5466|Quarterly| |SPRINGER +12947|Plant Breeding|Plant & Animal Science / Plant breeding|0179-9541|Bimonthly| |WILEY-BLACKWELL PUBLISHING +12948|Plant Breeding and Seed Science| |0018-3040|Semiannual| |PLANT BREEDING & ACCLIMATIZATION INST +12949|Plant Cell|Plant & Animal Science / Plant cells and tissues; Plants; Plantkunde; Celbiologie; Plantes / Plant cells and tissues; Plants; Plantkunde; Celbiologie; Plantes|1040-4651|Monthly| |AMER SOC PLANT BIOLOGISTS +12950|Plant Cell and Environment|Plant & Animal Science / Plant physiology; Plant cells and tissues; Plant communities; Plants; Plant Physiology / Plant physiology; Plant cells and tissues; Plant communities; Plants; Plant Physiology|0140-7791|Monthly| |WILEY-BLACKWELL PUBLISHING +12951|Plant Cell Biotechnology and Molecular Biology| |0972-2025|Quarterly| |SOC BIOLOGY & BIOTECHNOLOGY +12952|Plant Cell Reports|Plant & Animal Science / Plant cells and tissues; Plant cell culture; Plant tissue culture; Plant Components; Plant Physiology|0721-7714|Monthly| |SPRINGER +12953|Plant Cell Tissue and Organ Culture|Plant & Animal Science / Plant cell culture; Hydroponics|0167-6857|Monthly| |SPRINGER +12954|Plant Disease|Plant & Animal Science / Plant diseases; Plantenziekten; Plantes|0191-2917|Monthly| |AMER PHYTOPATHOLOGICAL SOC +12955|Plant Ecology|Environment/Ecology / Plant ecology; Plant communities; Phytogeography; Botany / Plant ecology; Plant communities; Phytogeography; Botany / Plant ecology; Plant communities; Phytogeography; Botany|1385-0237|Monthly| |SPRINGER +12956|Plant Ecology & Diversity|Plant & Animal Science /|1755-0874|Tri-annual| |TAYLOR & FRANCIS LTD +12957|Plant Ecology and Evolution|Plant & Animal Science /|2032-3913|Tri-annual| |SOC ROYAL BOTAN BELGIQUE +12958|Plant Engineering| |0032-082X|Semimonthly| |REED BUSINESS INFORMATION US +12959|Plant Foods for Human Nutrition|Plant & Animal Science / Food; Plants, Edible; Nutrition; Nutritive Value; Plantes comestibles / Food; Plants, Edible; Nutrition; Nutritive Value; Plantes comestibles / Food; Plants, Edible; Nutrition; Nutritive Value; Plantes comestibles|0921-9668|Quarterly| |SPRINGER +12960|Plant Genetic Resources-Characterization and Utilization|Plant genetics; Germplasm resources, Plant; Plant breeders|1479-2621|Tri-annual| |CAMBRIDGE UNIV PRESS +12961|Plant Growth Regulation|Plant & Animal Science / Plant regulators; Plant hormones; Crops; Growth (Plants)|0167-6903|Monthly| |SPRINGER +12962|Plant Journal|Plant & Animal Science / Plant molecular biology; Plant cells and tissues; Botany; Molecular Biology; Plants|0960-7412|Semimonthly| |WILEY-BLACKWELL PUBLISHING +12963|Plant Methods|Plant & Animal Science / Botany|1746-4811|Irregular| |BIOMED CENTRAL LTD +12964|Plant Molecular Biology|Plant & Animal Science / Plant molecular biology; Genetic Engineering; Molecular Biology; Plants|0167-4412|Semimonthly| |SPRINGER +12965|Plant Molecular Biology Reporter|Plant & Animal Science / Plant molecular biology; Plant genetics; Biologie moléculaire végétale; Génétique végétale|0735-9640|Quarterly| |SPRINGER +12966|Plant Omics|Plant & Animal Science|1836-0661|Bimonthly| |SOUTHERN CROSS PUBL +12967|Plant Pathology|Plant & Animal Science / Plant diseases; Agricultural pests|0032-0862|Quarterly| |WILEY-BLACKWELL PUBLISHING +12968|Plant Pathology Journal|Plant & Animal Science /|1598-2254|Quarterly| |KOREAN SOC PLANT PATHOLOGY +12969|Plant Physiology|Plant & Animal Science / Plant physiology; Planten; Fysiologie; Physiologie végétale|0032-0889|Monthly| |AMER SOC PLANT BIOLOGISTS +12970|Plant Physiology and Biochemistry|Plant & Animal Science / Plant physiology; Botanical chemistry; Plant Physiology; Plants|0981-9428|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +12971|Plant Production Science|Agricultural Sciences / Crop science; Phytotechnie|1343-943X|Quarterly| |CROP SCIENCE SOC JAPAN +12972|Plant Protection Bulletin| |0577-750X|Quarterly| |PLANT PROTECTION SOC +12973|Plant Protection Quarterly| |0815-2195|Quarterly| |R G & F J RICHARDSON +12974|Plant Protection Research Institute Handbook| | |Irregular| |PLANT PROTECTION RESEARCH INST +12975|Plant Protection Science| |1212-2580|Quarterly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +12976|Plant Science|Plant & Animal Science / Botany|0168-9452|Semimonthly| |ELSEVIER IRELAND LTD +12977|Plant Soil and Environment|Agricultural Sciences|1214-1178|Monthly| |INST AGRICULTURAL ECONOMICS AND INFORMATION +12978|Plant Species Biology|Plant & Animal Science / Plants|0913-557X|Tri-annual| |WILEY-BLACKWELL PUBLISHING +12979|Plant Systematics and Evolution|Plant & Animal Science / Plant morphology; Botany; Plants; Planten; Systematiek (algemeen); Celbiologie; Morfologie (biologie); Plantenteelt / Plant morphology; Botany; Plants; Planten; Systematiek (algemeen); Celbiologie; Morfologie (biologie); Plantent|0378-2697|Monthly| |SPRINGER WIEN +12980|Plant Tissue Culture & Biotechnology| |1817-3721|Semiannual| |BANGLADESH ASSOC PLANT TISSUE CULTURE & BIOTECHNOLOGY +12981|Planta|Plant & Animal Science / Botany; Plantkunde|0032-0935|Monthly| |SPRINGER +12982|Planta Daninha|Plant & Animal Science / Herbicides; Plants; Weeds|0100-8358|Quarterly| |UNIV FEDERAL VICOSA +12983|Planta Medica|Pharmacology & Toxicology / Materia medica, Vegetable; Phytothérapie; Plantes médicinales; Plants, Medicinal; Biological Products|0032-0943|Monthly| |GEORG THIEME VERLAG KG +12984|Plantula| |1316-1547|Tri-annual| |CENTRO JARDIN BOTANICO +12985|Plasma Chemistry and Plasma Processing|Chemistry / Plasma chemistry|0272-4324|Quarterly| |SPRINGER +12986|Plasma Devices and Operations|Physics / Plasma devices; Plasma engineering|1051-9998|Quarterly| |TAYLOR & FRANCIS LTD +12987|Plasma Physics and Controlled Fusion|Physics / Plasma (Ionized gases); Controlled fusion|0741-3335|Monthly| |IOP PUBLISHING LTD +12988|Plasma Physics Reports|Physics / Plasma (Ionized gases)|1063-780X|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +12989|Plasma Processes and Polymers|Chemistry / Plasma polymerization; Plasma-enhanced chemical vapor deposition; Plasma chemistry|1612-8850|Monthly| |WILEY-V C H VERLAG GMBH +12990|Plasma Science & Technology|Physics / Plasma (Ionized gases)|1009-0630|Bimonthly| |IOP PUBLISHING LTD +12991|Plasma Sources Science & Technology|Physics / Plasma (Ionized gases); Plasma devices|0963-0252|Bimonthly| |IOP PUBLISHING LTD +12992|Plasmid|Molecular Biology & Genetics / Plasmids; Extrachromosomal Inheritance; Translocation (Genetics)|0147-619X|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +12993|Plasmonics|Chemistry / Plasmons (Physics)|1557-1955|Quarterly| |SPRINGER +12994|Plastic and Reconstructive Surgery|Clinical Medicine / Surgery, Plastic; Plastische chirurgie; Chirurgie plastique / Surgery, Plastic; Plastische chirurgie; Chirurgie plastique / Surgery, Plastic; Plastische chirurgie; Chirurgie plastique|0032-1052|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +12995|Plastics Engineering|Materials Science|0091-9578|Monthly| |WILEY-BLACKWELL PUBLISHING +12996|Plastics Rubber and Composites|Materials Science / Plastics; Rubber; Composite materials|1465-8011|Monthly| |MANEY PUBLISHING +12997|Platax| | |Annual| |NATL MUSEUM MARINE BIOL & AQUARIUM +12998|Platelets|Clinical Medicine / Blood platelets; Blood Platelets|0953-7104|Bimonthly| |TAYLOR & FRANCIS LTD +12999|Platinum Metals Review|Materials Science / Platinum|1471-0676|Quarterly| |JOHNSON MATTHEY PUBL LTD CO +13000|Plecotus et Al| |1606-9900|Annual| |SEVERTSOV INST ECOLOGY EVOLUTION +13001|Pliocenica| |1578-3146|Irregular| |MUSEO MUNICIPAL ESTEPONA-SECCION PALEONTOLOGIA +13002|PLoS Biology|Biology & Biochemistry / Biology; Biologie|1544-9173|Monthly| |PUBLIC LIBRARY SCIENCE +13003|PLoS Computational Biology|Biology & Biochemistry / Computational biology; Computational Biology|1553-734X|Monthly| |PUBLIC LIBRARY SCIENCE +13004|PLoS Genetics|Molecular Biology & Genetics / Genetics|1553-7390|Monthly| |PUBLIC LIBRARY SCIENCE +13005|PLoS Medicine|Clinical Medicine / Medicine; Public health; Public Health|1549-1277|Monthly| |PUBLIC LIBRARY SCIENCE +13006|PLoS Neglected Tropical Diseases|Clinical Medicine /|1935-2727|Monthly| |PUBLIC LIBRARY SCIENCE +13007|PLoS ONE|Clinical Medicine /|1932-6203|Irregular| |PUBLIC LIBRARY SCIENCE +13008|PLoS Pathogens|Microbiology / Pathogenic microorganisms; Host-Parasite Relations; Microbiology; Virulence; Immunity|1553-7366|Monthly| |PUBLIC LIBRARY SCIENCE +13009|Ploughshares| |0048-4474|Tri-annual| |PLOUGHSHARES INC +13010|Plovdivski Universitet Paisij Khilendarski Nauchni Trudove Biologiya Animalia| |1312-0603|Annual| |PAISIJ KHILENDARSKI UNIV PLOVDIV +13011|Plovdivski Universitet Paisij Khilendarski Nauchni Trudove Biologiya Plantarum| |1312-062X|Annual| |PAISIJ KHILENDARSKI UNIV PLOVDIV +13012|Pluralist| |1930-7365|Tri-annual| |UNIV ILLINOIS PRESS +13013|Pmla-Publications of the Modern Language Association of America|Philology, Modern; FILOLOGIA MODERNA; Filologie|0030-8129|Bimonthly| |MODERN LANGUAGE ASSOC AMER +13014|Pmm Journal of Applied Mathematics and Mechanics|Engineering / Mechanics, Analytic; Mechanics, Applied; Mécanique analytique; Mécanique appliquée|0021-8928|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13015|Pneumologie|Lung Diseases; Thoracic Diseases; Tuberculosis|0934-8387|Irregular| |GEORG THIEME VERLAG KG +13016|Pochvovedenie| |0032-180X|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13017|Podoces| |1735-6725|Semiannual| |WESCA WILDLIFE NETWORK & BIRD CONSERVATION SOC IRAN +13018|Poe Studies-Dark Romanticism| |0090-5224|Semiannual| |WASHINGTON STATE UNIV +13019|Poetica-Zeitschrift fur Sprach-Und Literaturwissenschaft| |0303-4178|Semiannual| |WILHELM FINK VERLAG +13020|Poetics|Social Sciences, general / Literature; Style, Literary; Poetics; Arts and society; Literatuurtheorie; Littérature; Style littéraire; Poétique|0304-422X|Bimonthly| |ELSEVIER SCIENCE BV +13021|Poetics Today|Poetics; Style, Literary; Literature; Structuralism (Literary analysis); Criticism, Textual; Semiotics; Literatuurwetenschap|0333-5372|Quarterly| |DUKE UNIV PRESS +13022|Poetry| |0032-2032|Monthly| |POETRY +13023|Poetry Review| |0032-2156|Quarterly| |POETRY SOC INC +13024|Poetry Wales| |0032-2202|Quarterly| |SEREN BOOKS +13025|Poeyana| |0138-6476|Irregular| |INST ECOLOGIA SISTEMATICA +13026|Poiretia| |2105-0503|Annual| |POIRETIA +13027|Poirieria| |0032-2377|Irregular| |AUCKLAND MUS CONCHOL SECTION +13028|Polar Biology|Biology & Biochemistry / Animals; Plants|0722-4060|Bimonthly| |SPRINGER +13029|Polar Bioscience| |1344-6231|Annual| |NATL INST POLAR RESEARCH +13030|Polar Record|Environment/Ecology / Scientific expeditions; Geologie; Expéditions scientifiques; POLAR REGIONS; ANTARCTICA; ARCTIC REGION|0032-2474|Quarterly| |CAMBRIDGE UNIV PRESS +13031|Polar Research|Environment/Ecology /|0800-0395|Tri-annual| |WILEY-BLACKWELL PUBLISHING +13032|Polar Science| |1873-9652|Quarterly| |ELSEVIER SCIENCE BV +13033|Polarforschung| |0032-2490|Tri-annual| |Alfred Wegener Institute, Helmholtz Center for Polar and Marine Research, Bremerhaven +13034|Policing & Society|Social Sciences, general / Police; Crime prevention / Police; Crime prevention|1043-9463|Quarterly| |ROUTLEDGE JOURNALS +13035|Policing-An International Journal of Police Strategies & Management|Space Science / Police / Police|1363-951X|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +13036|Policy and Politics|Social Sciences, general / Local government|0305-5736|Quarterly| |POLICY PRESS +13037|Policy Review|Social Sciences, general|0146-5945|Quarterly| |HOOVER INST +13038|Policy Sciences|Social Sciences, general / Policy sciences|0032-2687|Quarterly| |SPRINGER +13039|Policy Studies Journal|Social Sciences, general / Policy sciences; Social sciences; Overheidsbeleid; Sciences de la politique; Sciences sociales|0190-292X|Quarterly| |WILEY-BLACKWELL PUBLISHING +13040|Polimeros-Ciencia E Tecnologia|Chemistry / Polymers; Polymerization|0104-1428|Quarterly| |ASSOC BRASIL POLIMEROS +13041|Polimery|Chemistry|0032-2725|Monthly| |INDUSTRIAL CHEMISTRY RESEARCH INST +13042|Polis| |0142-257X|Semiannual| |IMPRINT ACADEMIC +13045|Polish Entomological Monographs| |1641-7445|Annual| |POLSKIE TOWARZYSTWO ENTOMOLOGICZNE +13046|Polish Journal of Chemical Technology|Chemistry / Chemistry, Technical|1509-8117|Quarterly| |VERSITA +13047|Polish Journal of Ecology|Environment/Ecology|1505-2249|Quarterly| |POLISH ACAD SCIENCES INST ECOLOGY +13048|Polish Journal of Entomology| |0032-3780|Quarterly| |BIOLOGICA SILESIAE +13049|Polish Journal of Environmental Studies|Environment/Ecology|1230-1485|Bimonthly| |HARD +13050|Polish Journal of Food and Nutrition Sciences| |1230-0322|Quarterly| |DIV FOOD SCIENCE +13051|Polish Journal of Microbiology|Microbiology|1733-1331|Quarterly| |POLSKIE TOWARZYSTWO MIKROBIOLOGOW-POLISH SOCIETY OF MICROBIOLOGISTS +13052|Polish Journal of Natural Sciences|Life sciences|1643-9953|Quarterly| |WYDAWNICTWA UNIWERSYTETU WARMINSKO-MAZURSKIEGO +13053|Polish Journal of Pathology|Clinical Medicine|1233-9687|Quarterly| |VESALIUS UNIV MEDICAL PUBL +13054|Polish Journal of Soil Science| |0079-2985|Semiannual| |POLISH ACAD SCIENCES +13055|Polish Journal of Veterinary Sciences|Plant & Animal Science|1505-1773|Quarterly| |POLISH ACAD SCIENCES +13056|Polish Maritime Research|Geosciences / Navigation|1233-2585|Quarterly| |GDANSK UNIV TECHNOLOGY +13057|Polish Polar Research|Environment/Ecology /|0138-0338|Quarterly| |POLISH ACAD SCIENCES COMMITTEE POLAR RESEARCH +13058|Polish Sociological Review|Social Sciences, general|1231-1413|Quarterly| |POLSKIE TOWARZYSTWO SOCJOLOGICZNE-POLISH SOCIOLOGICAL ASSOC +13059|Polish Taxonomical Monographs| | |Irregular| |POLISH TAXONOMICAL SOC +13060|Politica Y Gobierno|Social Sciences, general|1665-2037|Semiannual| |CENTRO DE INVESTIGACION Y DOCENCIA ECONOMICAS +13061|Political Analysis|Social Sciences, general / Political science; Science politique; Analyse politique; Méthodologie|1047-1987|Quarterly| |OXFORD UNIV PRESS +13062|Political Behavior|Social Sciences, general / Political psychology; Political sociology|0190-9320|Quarterly| |SPRINGER/PLENUM PUBLISHERS +13063|Political Communication|Social Sciences, general / Communication in politics; Communication; Politieke communicatie|1058-4609|Quarterly| |TAYLOR & FRANCIS INC +13064|Political Geography|Social Sciences, general / Political geography|0962-6298|Bimonthly| |ELSEVIER SCI LTD +13065|Political Psychology|Psychiatry/Psychology / Political psychology|0162-895X|Quarterly| |WILEY-BLACKWELL PUBLISHING +13066|Political Quarterly|Social Sciences, general / Political science; Social sciences; Sciences sociales; Science politique|0032-3179|Quarterly| |WILEY-BLACKWELL PUBLISHING +13067|Political Research Quarterly|Social Sciences, general / Political science; Politieke wetenschappen; Science politique|1065-9129|Quarterly| |SAGE PUBLICATIONS INC +13068|Political Science|Social Sciences, general /|0032-3187|Semiannual| |SAGE PUBLICATIONS LTD +13069|Political Science Quarterly|Social Sciences, general / Social sciences|0032-3195|Quarterly| |ACAD POLITICAL SCIENCE +13070|Political Studies|Social Sciences, general / Political science; Politieke wetenschappen; Science politique; POLITICAL SCIENCE|0032-3217|Quarterly| |WILEY-BLACKWELL PUBLISHING +13071|Political Theory|Social Sciences, general / Political science|0090-5917|Bimonthly| |SAGE PUBLICATIONS INC +13072|Politicka Ekonomie|Economics & Business|0032-3233|Bimonthly| |VYSOKA SKOLA EKONOMICKA +13073|Politics & Society|Social Sciences, general / Social sciences; Political science / Social sciences; Political science|0032-3292|Quarterly| |SAGE PUBLICATIONS INC +13074|Politics and Religion| |1755-0483|Tri-annual| |CAMBRIDGE UNIV PRESS +13075|Politics Philosophy & Economics|Political sociology; Social sciences and ethics; Philosophy and social sciences; Political science / Political sociology; Social sciences and ethics; Philosophy and social sciences; Political science|1470-594X|Quarterly| |SAGE PUBLICATIONS INC +13076|Politikon|Social Sciences, general / Political science / Political science / Political science|0258-9346|Semiannual| |ROUTLEDGE JOURNALS +13077|Politische Vierteljahresschrift|Social Sciences, general / Political science|0032-3470|Quarterly| |VS VERLAG SOZIALWISSENSCHAFTEN-GWV FACHVERLAGE GMBH +13078|Politix|Social Sciences, general / Political science; Science politique|0295-2319|Quarterly| |ARMAN COLIN +13079|Polity|Social Sciences, general / Political science|0032-3497|Quarterly| |PALGRAVE MACMILLAN LTD +13080|Poljoprivreda I Sumarstvo| |0554-5579|Quarterly| |BIOTEHNICKI INST +13081|Pollichia-Buch| | |Irregular| |PFALZMUSEUM NATURKUNDE-POLLICHIA-MUSEUM +13082|Polskie Archiwum Medycyny Wewnetrznej-Polish Archives of Internal Medicine|Clinical Medicine|0032-3772|Monthly| |MEDYCYNA PRAKTYCZNA +13083|Polskie Towarzystwo Entomologiczne Klucze Do Oznaczania Owadow Polski| | |Irregular| |POLISH ENTOMOLOGICAL SOC +13084|Polycyclic Aromatic Compounds|Chemistry / Polycyclic aromatic compounds; Polycyclic Hydrocarbons|1040-6638|Bimonthly| |TAYLOR & FRANCIS LTD +13085|Polyhedron|Chemistry / Chemistry, Inorganic; Organometaalverbindingen; Anorganische chemie; Chimie inorganique; Composés organométalliques|0277-5387|Biweekly| |PERGAMON-ELSEVIER SCIENCE LTD +13086|Polymer|Chemistry / Polymers; Polymerization|0032-3861|Biweekly| |ELSEVIER SCI LTD +13087|Polymer Bulletin|Chemistry / Polymers; Polymerization|0170-0839|Monthly| |SPRINGER +13088|Polymer Chemistry| |1759-9954|Monthly| |ROYAL SOC CHEMISTRY +13089|Polymer Composites|Materials Science / Polymeric composites|0272-8397|Bimonthly| |JOHN WILEY & SONS INC +13090|Polymer Degradation and Stability|Chemistry / Polymers; Stabilizing agents|0141-3910|Monthly| |ELSEVIER SCI LTD +13091|Polymer Engineering and Science|Materials Science / Polymer engineering; Polymères / Polymer engineering; Polymères|0032-3888|Monthly| |JOHN WILEY & SONS INC +13092|Polymer International|Chemistry / Plastics; Polymers; Polymerization|0959-8103|Monthly| |JOHN WILEY & SONS LTD +13093|Polymer Journal|Chemistry / Polymers; Polymerization|0032-3896|Monthly| |NATURE PUBLISHING GROUP +13094|Polymer Reviews|Chemistry / Polymers; Polymerization|1558-3724|Quarterly| |TAYLOR & FRANCIS INC +13095|Polymer Science Series A|Chemistry / Polymers; Polymerization|0965-545X|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13096|Polymer Science Series B|Chemistry /|1560-0904|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13097|Polymer Science Series C|Chemistry /|1811-2382|Annual| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13098|Polymer Testing|Materials Science / Polymers|0142-9418|Bimonthly| |ELSEVIER SCI LTD +13099|Polymer-Korea|Chemistry|0379-153X|Bimonthly| |POLYMER SOC KOREA +13100|Polymer-Plastics Technology and Engineering|Materials Science / Polymers; Polymerization; Plastics|0360-2559|Monthly| |TAYLOR & FRANCIS INC +13101|Polymers & Polymer Composites|Materials Science|0967-3911|Bimonthly| |ISMITHERS +13102|Polymers for Advanced Technologies|Chemistry / Polymers|1042-7147|Monthly| |JOHN WILEY & SONS LTD +13103|Pomegranate|Neopaganism|1528-0268|Semiannual| |EQUINOX PUBL LTD +13104|Ponte| |0032-423X|Monthly| |IL PONTE EDITORE +13105|Popular Music|Popular music; Musique populaire|0261-1430|Tri-annual| |CAMBRIDGE UNIV PRESS +13106|Popular Music and Society|Popular music; Music; Popmuziek; Maatschappij; Aspect social; Musique; Musique populaire / Popular music; Music; Popmuziek; Maatschappij; Aspect social; Musique; Musique populaire|0300-7766|Quarterly| |TAYLOR & FRANCIS LTD +13107|Popular Science-New York| |0161-7370|Monthly| |TIME 4 MEDIA INC +13108|Population|Social Sciences, general / Population; Demography; Démographie; DEMOGRAPHIC RESEARCH|0032-4663|Bimonthly| |INST NATL D ETUDES DEMOGRAPHIQUES +13109|Population and Development Review|Social Sciences, general / Population research; Bevolking; Sociaal-economische ontwikkeling; Population; DEMOGRAPHIC RESEARCH; POPULATION TRENDS|0098-7921|Quarterly| |WILEY-BLACKWELL PUBLISHING +13110|Population and Environment|Social Sciences, general / Population; Birth control; Environment; Psychology, Social; Social Behavior; POPULATION; SOCIAL ASPECTS; ENVIRONMENTAL ASPECTS|0199-0039|Bimonthly| |SPRINGER +13111|Population Bulletin|Social Sciences, general|0032-468X|Semiannual| |POPULATION REFERENCE BUREAU INC +13112|Population Ecology|Environment/Ecology / Population biology; Animal populations; Insect populations; Animaux; Insectes; Ecologie; Populaties (biologie)|1438-3896|Tri-annual| |SPRINGER TOKYO +13113|Population Health Management|Clinical Medicine /|1942-7891|Bimonthly| |MARY ANN LIEBERT INC +13114|Population Research and Policy Review|Social Sciences, general / Population; Population policy; Public Policy|0167-5923|Bimonthly| |SPRINGER +13115|Population Space and Place|Social Sciences, general / Population geography; Emigration and immigration|1544-8444|Bimonthly| |JOHN WILEY & SONS LTD +13116|Population Studies-A Journal of Demography|Social Sciences, general / Demography; Population; Demografie|0032-4728|Tri-annual| |ROUTLEDGE JOURNALS +13117|Population Studies-New York| |0082-805X|Annual| |UNITED NATIONS +13118|Porcupine| |1025-6946|Irregular| |HONG KONG UNIV PRESS +13119|Porta Linguarum|Social Sciences, general|1697-7467|Semiannual| |UNIV GRANADA +13120|Portal-Libraries and the Academy|Social Sciences, general|1531-2542|Quarterly| |JOHNS HOPKINS UNIV PRESS +13121|Portugala| |1645-9822|Semiannual| |INST PORTUGUES MALACOLOGIA +13122|Portugaliae Acta Biologica| |0874-9035|Irregular| |MUSEU +13123|Portugaliae Zoologica| |0871-326X|Quarterly| |EDITOR EXECUTIVO PORTUGALIAE ZOOLOGICA +13124|Portugaliae Zoologica Serie Monografica| |0871-326X|Irregular| |EDITOR EXECUTIVO PORTUGALIAE ZOOLOGICA +13125|Portuguese Economic Journal|Economics & Business / Economics|1617-982X|Tri-annual| |SPRINGER HEIDELBERG +13126|Portuguese Studies| |0267-5315|Annual| |MANEY PUBLISHING +13127|Positif| |0048-4911|Monthly| |POSITIF EDITIONS +13128|Positions-East Asia Cultures Critique| |1067-9847|Tri-annual| |DUKE UNIV PRESS +13129|Positivity|Mathematics / Scalar field theory; Geometrical models; Mathematical analysis|1385-1292|Quarterly| |SPRINGER +13130|Post-Communist Economies|Economics & Business / Post-communism; Economische hervormingen; Economische situatie / Post-communism; Economische hervormingen; Economische situatie|1463-1377|Quarterly| |ROUTLEDGE JOURNALS +13131|Post-Medieval Archaeology| |0079-4236|Semiannual| |MANEY PUBLISHING +13132|Post-Soviet Affairs|Social Sciences, general / Economische situatie|1060-586X|Quarterly| |BELLWETHER PUBL LTD +13133|Postepy Biologii Komorki|Molecular Biology & Genetics|0324-833X|Quarterly| |POLSKIE TOWARZYSTWO ANATOMICZNE +13134|Postepy Dermatologii I Alergologii|Clinical Medicine|1642-395X|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +13135|Postepy Higieny I Medycyny Doswiadczalnej|Clinical Medicine|0032-5449|Annual| |POLISH ACAD SCIENCES +13136|Postepy Mikrobiologii|Microbiology|0079-4252|Quarterly| |POLSKIE TOWARZYSTWO MIKROBIOLOGOW-POLISH SOCIETY OF MICROBIOLOGISTS +13137|Postepy W Kardiologii Interwencyjnej|Clinical Medicine /|1734-9338|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +13138|Postgraduate Medical Journal|Clinical Medicine / Medicine|0032-5473|Monthly| |B M J PUBLISHING GROUP +13139|Postgraduate Medicine|Clinical Medicine / Medicine|0032-5481|Semimonthly| |JTE MULTIMEDIA +13140|Postharvest Biology and Technology|Agricultural Sciences / Crops; Cut flowers|0925-5214|Monthly| |ELSEVIER SCIENCE BV +13141|Postmodern Culture| |1053-1920|Tri-annual| |JOHNS HOPKINS UNIV PRESS +13142|Potato Journal| |0970-8235|Quarterly| |INDIAN POTATO ASSOC CENTRAL POTATO RESEARCH INST-C P R I +13143|Potential Analysis|Mathematics / Potential theory (Mathematics); Functional analysis; Probabilities; Geometry|0926-2601|Bimonthly| |SPRINGER +13144|Poultry Science|Plant & Animal Science / Poultry; Poultry Diseases; Pluimveehouderij; Pluimvee; Diergeneeskunde; Volailles|0032-5791|Monthly| |POULTRY SCIENCE ASSOC INC +13145|Povolzhskii Ekologicheskii Zhurnal| |1684-7318|Irregular| |SARATOVSKIJ FILIAL INST PROBLEM EKOLOGII EVOLUCIIA & SEVERCOVA +13146|Powder Diffraction|Physics / Powder metallurgy; Röntgendiffractie; Poeder (procestechnologie)|0885-7156|Quarterly| |J C P D S-INT CENTRE DIFFRACTION DATA +13147|Powder Metallurgy|Materials Science / Powder metallurgy|0032-5899|Quarterly| |MANEY PUBLISHING +13148|Powder Metallurgy and Metal Ceramics|Materials Science / Powder metallurgy|1068-1302|Bimonthly| |SPRINGER +13149|Powder Technology|Chemistry / Powders|0032-5910|Semimonthly| |ELSEVIER SCIENCE SA +13150|Power|Engineering|0032-5929|Monthly| |TRADEFAIR GROUP +13151|Power Engineering|Engineering|0032-5961|Monthly| |PENNWELL PUBL CO ENERGY GROUP +13152|Poznan Studies in Contemporary Linguistics|Social Sciences, general / Contrastive linguistics|1897-7499|Semiannual| |VERSITA +13153|Pps Management|Economics & Business|1434-2308|Quarterly| |GITO-VERLAG +13154|Prace Botaniczne Instytut Botaniki Uniwersytetu Jagiellonskiego| | |Irregular| |INST BOTANIKI +13155|Prace Geologiczno-Mineralogiczne| |0239-6661|Irregular| |WYDAWNICTWO UNIWERSYTETU WROCLAWSKIEGO +13156|Prace I Materialy Zootechniczne| |0137-1649|Quarterly| |POLSKA AKAD NAUK +13157|Prace Instytutu Badawczego Lesnictwa Seria A| |0369-9870|Quarterly| |INST BADAWCZY LESNICTWA +13158|Prace Muzeum Ziemi| |0032-6275|Irregular| |MUZEUM ZIEMI PAN +13159|Prace Panstwowego Instytutu Geologicznego| |0866-9465|Irregular| |PANSTWOWY INST GEOLOGICZNY +13160|Prace Zoologiczne-Wroclaw| |0554-9051|Annual| |WYDAWNICTWO UNIWERSYTETU WROCLAWSKIEGO +13161|Pracovni Lekarstvi| |0032-6291|Bimonthly| |CESKA LEKARSKA SPOLECNOST J EV PURKYNE +13162|Praehistorische Zeitschrift|Social Sciences, general /|0079-4848|Semiannual| |WALTER DE GRUYTER & CO +13163|Praeparator| |0032-6542|Quarterly| |VERBAND DEUTSCHER PRAEPARATOREN E V +13164|Pragmatics|Social Sciences, general|1018-2101|Quarterly| |INT PRAGMATICS ASSOC- IPRA +13165|Prague Economic Papers|Economics & Business|1210-0455|Quarterly| |UNIV ECONOMICS-PRAGUE +13166|Prairie Naturalist| |0091-0376|Quarterly| |NORTH DAKOTA NAT SCI SOC +13167|Praktische Metallographie-Practical Metallography|Materials Science|0032-678X|Monthly| |CARL HANSER VERLAG +13168|Praktische Tierarzt|Plant & Animal Science|0032-681X|Monthly| |SCHLUETERSCHE VERLAGSGESELLSCHAFT MBH & CO KG +13169|Pramana-Journal of Physics|Physics / Physics|0304-4289|Monthly| |INDIAN ACAD SCIENCES +13170|Pratiques Psychologiques|Psychiatry/Psychology /|1269-1763|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +13171|Praxis der Kinderpsychologie und Kinderpsychiatrie|Psychiatry/Psychology|0032-7034|Monthly| |VANDENHOECK & RUPRECHT +13172|Precambrian Research|Geosciences / Geology, Stratigraphic|0301-9268|Semimonthly| |ELSEVIER SCIENCE BV +13173|Precision Agriculture|Agricultural Sciences / Precision farming|1385-2256|Bimonthly| |SPRINGER +13174|Precision Engineering-Journal of the International Societies for Precisionengineering and Nanotechnology|Instrument manufacture|0141-6359|Quarterly| |ELSEVIER SCIENCE INC +13175|Prehospital Emergency Care|Clinical Medicine / Emergencies; Emergency Medical Services; Urgences médicales; Urgences médicales, Services des|1090-3127|Quarterly| |TAYLOR & FRANCIS INC +13176|Preistoria Alpina| |0393-0157|Annual| |MUSEO TRIDENTINO SCIENZE NATURALI +13177|Prenatal Diagnosis|Clinical Medicine / Prenatal diagnosis; Fetus; Prenatal Diagnosis|0197-3851|Monthly| |JOHN WILEY & SONS LTD +13178|Prensa Medica Argentina| |0032-745X|Monthly| |PRENSA MEDICA ARGENTINA +13179|Preparative Biochemistry & Biotechnology|Biology & Biochemistry / Biochemistry; Biotechnology / Biochemistry; Biotechnology / Biochemistry; Biotechnology|1082-6068|Quarterly| |TAYLOR & FRANCIS INC +13180|Prescrire International| |1167-7422|Bimonthly| |ASSOC MIEUX PRESCRIRE +13181|Presence-Teleoperators and Virtual Environments|Engineering / Human-machine systems; Virtual reality; Human-computer interaction; Robotics; Manipulators (Mechanism); Computer Simulation / Human-machine systems; Virtual reality; Human-computer interaction; Robotics; Manipulators (Mechanism); Computer S|1054-7460|Bimonthly| |M I T PRESS +13182|Preservation| |1090-9931|Bimonthly| |NATL TRUST HISTORIC PRESERVATION +13183|Preslia|Plant & Animal Science|0032-7786|Quarterly| |CZECH BOTANICAL SOC +13184|Presse Medicale|Clinical Medicine / Medicine; Surgery; Geneeskunde|0755-4982|Weekly| |MASSON EDITEUR +13185|Prevention Science|Clinical Medicine / Medicine, Preventive; Primary Prevention; Preventieve gezondheidszorg|1389-4986|Quarterly| |SPRINGER/PLENUM PUBLISHERS +13186|Preventive Medicine|Clinical Medicine / Medicine, Preventive; Preventive Medicine|0091-7435|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +13187|Preventive Medicine in Managed Care| |1528-3496|Quarterly| |MANAGED CARE & HEALTHCARE COMMUNICATIONS LLC +13188|Preventive Veterinary Medicine|Plant & Animal Science / Veterinary public health; Animal Diseases; Veterinary Medicine|0167-5877|Semimonthly| |ELSEVIER SCIENCE BV +13189|Priamus| |1015-8243|Irregular| |CENTRE ENTOMOLOGICAL STUDIES ANKARA-CESA +13190|Primary Care|Clinical Medicine / Medicine; Primary Health Care|0095-4543|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +13191|Primate Conservation|Primates|0898-6207|Annual| |CONSERVATION INT +13192|Primate Report| |0343-3528|Tri-annual| |GERMAN PRIMATE CTR +13193|Primate Research| |0912-4047|Tri-annual| |PRIMATE SOC JAPAN +13194|Primates|Plant & Animal Science / Primates|0032-8332|Quarterly| |SPRINGER TOKYO +13195|Primerjalna Knjizevnost| |0351-1189|Semiannual| |SLOVENE COMPARATIVE LITERATURE ASSOC +13196|Print Quarterly| |0265-8305|Quarterly| |PRINT QUARTERLY PUBLICATIONS +13197|Prion|Microbiology /|1933-6896|Quarterly| |LANDES BIOSCIENCE +13198|Prirodnjacki Muzej U Beogradu Posebna Izdanja| | |Irregular| |PRIRODNJACKI MUZEJ U BEOGRADU +13199|Prison Journal|Social Sciences, general / Prisons; PRISON LABOUR; PRISONS; PRISONERS; PRISONER TREATMENT|0032-8855|Quarterly| |SAGE PUBLICATIONS INC +13200|Probabilistic Engineering Mechanics|Engineering / Engineering; Mechanics, Applied; Probabilities|0266-8920|Quarterly| |ELSEVIER SCI LTD +13201|Probability in the Engineering and Informational Sciences|Engineering / Engineering; Information science; Probabilities|0269-9648|Quarterly| |CAMBRIDGE UNIV PRESS +13202|Probability Theory and Related Fields|Mathematics / Probabilities; Mathematical statistics|0178-8051|Bimonthly| |SPRINGER +13203|Probiota Serie Documentos| |1666-7328| | |PROBIOTA +13204|Probiota Serie Tecnica Y Didactica| |1667-3204|Irregular| |PROBIOTA +13205|Problemos| |1392-1126|Semiannual| |VILNIUS UNIV +13206|Problems of Atomic Science and Technology|Physics|1562-6016|Quarterly| |KHARKOV INST PHYSICS & TECHNOLOGY +13207|Problems of Information Transmission|Computer Science / Information theory|0032-9460|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13208|Problems of Post-Communism|Social Sciences, general / Post-communism; Democratisering; Economische hervormingen|1075-8216|Bimonthly| |M E SHARPE INC +13209|Problemy Ekorozwoju| |1895-6912|Semiannual| |POLITECHNIKA LUBELSKA +13210|Problemy Endokrinologii| |0375-9660|Bimonthly| |IZDATELSTVO MEDITSINA +13211|Problemy Kriobiologii| |1026-1230|Quarterly| |UKRAINIAN ACAD SCIENCES +13212|Problemy Osvoeniya Pustyn| |0032-9428|Bimonthly| |IZDATEL STVO YLYM +13213|Probus|Social Sciences, general / Romance languages; Romance philology; Latin language; Romaanse talen; Taalwetenschap|0921-4771|Semiannual| |MOUTON DE GRUYTER +13214|Proceedings and Addresses of the Annual Session-American Association for the Study of the Feeble-Minded| | |Annual| |AMER ASSOC MENTAL RETARDATION +13215|Proceedings and Addresses of the Annual Session-American Association on Mental Deficiency| |0191-1740| | |AMER ASSOC MENTAL RETARDATION +13216|Proceedings Beltwide Cotton Conferences| |1059-2644|Annual| |NATL COTTON COUNCIL AMER +13217|Proceedings of A Deer Course for Veterinarians| |0112-5265|Annual| |NEW ZEALAND VETERINARY ASSOC INC +13218|Proceedings of Pakistan Congress of Zoology| |1013-3461|Annual| |ZOOLOGICAL SOC PAKISTAN +13219|Proceedings of Parasitology| |1018-2500|Semiannual| |PROCEEDINGS PARASITOLOGY +13220|Proceedings of School of Agriculture Kyushu Tokai University| |0286-8180|Annual| |KYUSHU TOKAI UNIV SCH AGRICULTURE +13221|Proceedings of the Academy of Natural Sciences of Philadelphia|Biology & Biochemistry / Natural history; Science; Natuurwetenschappen; Sciences naturelles|0097-3157|Annual| |ACAD NATURAL SCIENCES PHILA +13222|Proceedings of the American Academy of Arts and Sciences| |0199-9818|Irregular| |AMER ACAD ARTS & SCIENCES +13223|Proceedings of the American Antiquarian Society| |0044-751X|Semiannual| |AMER ANTIQUARIAN SOC +13224|Proceedings of the American Association for Cancer Research| |0197-016X|Annual| |AMER ASSOC CANCER RESEARCH +13225|Proceedings of the American Mathematical Society|Mathematics / Mathematics; Wiskunde; Mathématiques|0002-9939|Monthly| |AMER MATHEMATICAL SOC +13226|Proceedings of the American Philosophical Society| |0003-049X|Quarterly| |AMER PHILOSOPHICAL SOC +13227|Proceedings of the American Thoracic Society|Chest; Respiratory organs; Thoracic Diseases; Thorax; Appareil respiratoire; Longziekten; Intensive care; Ademhalingsstoornissen|1546-3222|Irregular| |AMER THORACIC SOC +13228|Proceedings of the Annual Conference of the Association of Reptilian and Amphibian Veterinarians| | |Annual| |ASSOC REPTIL VET +13229|Proceedings of the Annual Conference Southeastern Association of Fish and Wildlife Agencies| |0276-7929|Annual| |SOUTHEASTERN ASSOC FISH WILDLIFE AGENCIES +13230|Proceedings of the Annual Meeting of the Utah Mosquito Abatement Association| |0502-8701|Annual| |UTAH MOSQUITO ABATEMENT ASSOC +13231|Proceedings of the Biological Society of Washington|Biology & Biochemistry / Biology; Biologie|0006-324X|Quarterly| |BIOL SOC WASHINGTON +13232|Proceedings of the Bristol Naturalists Society| |0068-1040|Annual| |BRISTOL NATURALISTS SOC +13233|Proceedings of the British Academy| |0068-1202|Annual| |OXFORD UNIVERSITY PRESS +13234|Proceedings of the California Academy of Sciences| |0068-547X|Irregular| |CALIFORNIA ACAD SCIENCES +13235|Proceedings of the Cambridge Philosophical Society| |0008-1981|Quarterly| |CAMBRIDGE UNIV PRESS +13236|Proceedings of the Cambridge Philosophical Society-Biological Sciences| |1759-6254| | |CAMBRIDGE UNIV PRESS +13237|Proceedings of the Combustion Institute|Engineering / Combustion|1540-7489|Annual| |ELSEVIER SCIENCE INC +13238|Proceedings of the Coventry and District Natural History and Scientific Society| |0962-5372|Annual| |COVENTRY NATURAL HISTORY SCIENTIFIC SOC +13239|Proceedings of the Dorset Natural History & Archaeological Society| |0070-7112|Annual| |DORSET NATURAL HISTORY ARCHAEOLOGICAL SOC +13240|Proceedings of the Edinburgh Mathematical Society|Mathematics / Mathematics; Mathématiques|0013-0915|Tri-annual| |CAMBRIDGE UNIV PRESS +13241|Proceedings of the Entomological Congress Entomological Society of Southern Africa| |1010-2566|Irregular| |ENTOMOLOGICAL SOC SOUTHERN AFRICA +13242|Proceedings of the Entomological Society of Manitoba| |0315-2146|Annual| |ENTOMOLOGICAL SOC MANITOBA +13243|Proceedings of the Entomological Society of Washington|Plant & Animal Science /|0013-8797|Quarterly| |ENTOMOL SOC WASHINGTON +13244|Proceedings of the Estonian Academy of Sciences|Multidisciplinary / Science|1736-6046|Quarterly| |ESTONIAN ACADEMY PUBLISHERS +13245|Proceedings of the Geologists Association|Geosciences /|0016-7878|Quarterly| |ELSEVIER SCI LTD +13246|Proceedings of the Hawaiian Entomological Society| |0073-134X|Annual| |HAWAIIAN ENTOMOLOGICAL SOC +13247|Proceedings of the Hoshi University| |0441-2559|Annual| |HOSHI UNIV +13248|Proceedings of the IEEE|Engineering / Radio; Electronics|0018-9219|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +13249|Proceedings of the Indian Academy of Sciences-Mathematical Sciences|Mathematics / Mathematics; Science / Mathematics; Science|0253-4142|Quarterly| |INDIAN ACAD SCIENCES +13250|Proceedings of the Indian National Science Academy| |0370-0046|Tri-annual| |INDIAN NAT SCI ACAD +13251|Proceedings of the Indiana Academy of Science| |0073-6767|Semiannual| |INDIANA ACAD SCIENCE +13252|Proceedings of the Institute of Radio Engineers| |0731-5996|Monthly| |IEEE-INST ELECTRICAL ELECTRONICS ENGINEERS INC +13253|Proceedings of the Institution of Civil Engineers-Civil Engineering|Engineering / Civil engineering|0965-089X|Quarterly| |THOMAS TELFORD PUBLISHING +13254|Proceedings of the Institution of Civil Engineers-Engineering Sustainability|Engineering / Environmental engineering|1478-4629|Quarterly| |THOMAS TELFORD PUBLISHING +13255|Proceedings of the Institution of Civil Engineers-Geotechnical Engineering|Engineering / Engineering geology|1353-2618|Quarterly| |THOMAS TELFORD PUBLISHING +13256|Proceedings of the Institution of Civil Engineers-Maritime Engineering|Engineering / Coastal engineering; Harbors; Hydraulic engineering|1741-7597|Quarterly| |THOMAS TELFORD PUBLISHING +13257|Proceedings of the Institution of Civil Engineers-Municipal Engineer|Engineering / Municipal engineering|0965-0903|Quarterly| |THOMAS TELFORD PUBLISHING +13258|Proceedings of the Institution of Civil Engineers-Structures and Buildings|Engineering / Structural engineering|0965-0911|Bimonthly| |THOMAS TELFORD PUBLISHING +13259|Proceedings of the Institution of Civil Engineers-Transport|Engineering / Transportation engineering|0965-092X|Quarterly| |THOMAS TELFORD PUBLISHING +13260|Proceedings of the Institution of Civil Engineers-Water Management|Engineering / Fluid mechanics; River engineering; Hydraulic engineering|1741-7589|Quarterly| |THOMAS TELFORD PUBLISHING +13261|Proceedings of the Institution of Mechanical Engineers Part A-Journal of Power and Energy|Engineering / Power (Mechanics); Energy development|0957-6509|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13262|Proceedings of the Institution of Mechanical Engineers Part B-Journal of Engineering Manufacture|Engineering / Mechanical engineering; Engineering; Manufacturing processes|0954-4054|Monthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13263|Proceedings of the Institution of Mechanical Engineers Part C-Journal of Mechanical Engineering Science|Engineering / Mechanical engineering / Mechanical engineering|0954-4062|Monthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13264|Proceedings of the Institution of Mechanical Engineers Part D-Journal of Automobile Engineering|Engineering / Automobiles|0954-4070|Monthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13265|Proceedings of the Institution of Mechanical Engineers Part E-Journal of Process Mechanical Engineering|Engineering / Production engineering; Manufacturing processes; Mechanical engineering / Production engineering; Manufacturing processes; Mechanical engineering / Production engineering; Manufacturing processes; Mechanical engineering|0954-4089|Quarterly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13266|Proceedings of the Institution of Mechanical Engineers Part F-Journal of Rail and Rapid Transit|Engineering / Railroads; Personal rapid transit|0954-4097|Quarterly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13267|Proceedings of the Institution of Mechanical Engineers Part G-Journal of Aerospace Engineering|Engineering / Airplanes; Space vehicles|0954-4100|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13268|Proceedings of the Institution of Mechanical Engineers Part H-Journal of Engineering in Medicine|Engineering / Biomedical engineering; Medical instruments and apparatus; Biomedical Engineering|0954-4119|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13269|Proceedings of the Institution of Mechanical Engineers Part I-Journal of Systems and Control Engineering|Engineering / Mechanical engineering; Automatic control; Systems engineering / Mechanical engineering; Automatic control; Systems engineering|0959-6518|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13270|Proceedings of the Institution of Mechanical Engineers Part J-Journal of Engineering Tribology|Engineering / Tribology / Tribology|1350-6501|Bimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13271|Proceedings of the Institution of Mechanical Engineers Part K-Journal of Multi-Body Dynamics|Engineering / Dynamics|1464-4193|Quarterly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13272|Proceedings of the Institution of Mechanical Engineers Part L-Journal of Materials-Design and Applications|Engineering / Materials|1464-4207|Quarterly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13273|Proceedings of the Institution of Mechanical Engineers Part M-Journal of Engineering for the Maritime Environment|Marine engineering; Ocean engineering; Naval architecture; Offshore structures|1475-0902|Quarterly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13274|Proceedings of the International Union of Game Biologists Congress| | |Irregular| |PENSOFT PUBLISHERS +13275|Proceedings of the Isle of Wight Natural History and Archaeological Society| |0140-3729|Annual| |ISLE WIGHT NATURAL HISTORY ARCHAEOLOGICAL SOC +13276|Proceedings of the Japan Academy Series A-Mathematical Sciences|Mathematics /|0386-2194|Monthly| |JAPAN ACAD +13277|Proceedings of the Japan Academy Series B-Physical and Biological Sciences|Chemistry / Biology; Physics; Biological Sciences; Science; Natuurkunde; Biologie; Physique / Biology; Physics; Biological Sciences; Science; Natuurkunde; Biologie; Physique|0386-2208|Monthly| |JAPAN ACAD +13278|Proceedings of the Japan Society for Comparative Endocrinology| |0913-9036|Annual| |JAPAN SOC COMPARATIVE ENDOCRINOLOGY +13279|Proceedings of the Kansai Plant Protection Society| |0387-1002|Annual| |KANSAI PLANT PROTECTION SOC +13280|Proceedings of the Koninklijke Akademie van Wetenschappen Te Amsterdam| |0370-0348| | |ELSEVIER SCIENCE BV +13281|Proceedings of the Koninklijke Nederlandse Akademie van Wetenschappen| |0924-8323|Quarterly| |ELSEVIER SCIENCE BV +13282|Proceedings of the Latvian Academy of Sciences Section B Natural Exact Andapplied Sciences|Science; Biology; Natural history; Physiology|1407-009X|Bimonthly| |LATVIAN ACAD SCIENCES +13283|Proceedings of the Linnean Society of New South Wales|Plant & Animal Science|0370-047X|Annual| |LINNEAN SOC NEW SOUTH WALES +13284|Proceedings of the London Mathematical Society|Mathematics / Mathematics; Mathématiques; Wiskunde|0024-6115|Bimonthly| |LONDON MATH SOC +13285|Proceedings of the Louisiana Academy of Science| |0096-9192|Annual| |LOUISIANA ACAD SCIENCES +13286|Proceedings of the National Academy of Sciences India Section A-Physical Sciences|Microbiology|0369-8203|Quarterly| |NATL ACAD SCIENCES INDIA +13287|Proceedings of the National Academy of Sciences India Section B-Biologicalsciences| |0369-8211|Quarterly| |NATL ACAD SCIENCES INDIA +13288|Proceedings of the National Academy of Sciences of the United States of America|Multidisciplinary / Science|0027-8424|Weekly| |NATL ACAD SCIENCES +13289|Proceedings of the National Conference of the American Association of Zoo Keepers Inc| | |Annual| |AMER ASSOC ZOO KEEPERS +13290|Proceedings of the National Science Council Republic of China-Part B-Life Science| |0255-6596|Quarterly| |NATL SCIENCE COUNCIL +13291|Proceedings of the Netherlands Entomological Society Meeting| |1874-9542|Annual| |UNIV BARCELONA +13292|Proceedings of the New Jersey Mosquito Control Association Inc| |0198-7267|Annual| |NEW JERSEY MOSQUITO CONTROL ASSOC INC +13293|Proceedings of the New Zealand Society of Animal Production| |0370-2731|Irregular| |NEW ZEALAND SOC ANIMAL PRODUCTION +13294|Proceedings of the Nova Scotian Institute of Science| |0078-2521|Quarterly| |NOVA SCOTIAN INST SCIENCE +13295|Proceedings of The Nutrition Society|Agricultural Sciences / Nutrition|0029-6651|Bimonthly| |CAMBRIDGE UNIV PRESS +13296|Proceedings of the Ocean Drilling Program Scientific Results| |0884-5891|Irregular| |OCEAN DRILLING PROGRAM +13297|Proceedings of the Oklahoma Academy of Science| |0078-4303|Annual| |OKLAHOMA ACAD SCI +13298|Proceedings of the Physical Society| |0959-5309| | |IOP PUBLISHING LTD +13299|Proceedings of the Physical Society of London| |1478-7814|Monthly| |IOP PUBLISHING LTD +13300|Proceedings of the Rochester Academy of Science| |0096-4166|Irregular| |ROCHESTER ACAD SCIENCE +13301|Proceedings of the Romanian Academy Series A-Mathematics Physics Technicalsciences Information Science| |1454-9069|Tri-annual| |EDITURA ACAD ROMANE +13302|Proceedings of the Romanian Academy Series B-Chemistry Lifesciences and Geosciences| |1454-8267|Tri-annual| |EDITURA ACAD ROMANE +13303|Proceedings of the Royal Irish Academy Section C-Archaeology Celtic Studies History Linguistics Literature|Archaeology; Excavations (Archaeology); Linguistics; Literature; Humaniora|0035-8991|Annual| |ROYAL IRISH ACADEMY +13304|Proceedings of the Royal Society A-Mathematical Physical and Engineering Sciences|Physics / Mathematics; Physical sciences; Engineering; Physics|1364-5021|Monthly| |ROYAL SOC +13305|Proceedings of the Royal Society B-Biological Sciences|Biology & Biochemistry / Biology; Science; Sciences; Biologie|0962-8452|Semimonthly| |ROYAL SOC +13306|Proceedings of the Royal Society of Edinburgh Section A-Mathematics|Mathematics / Mathematics; Mathématiques|0308-2105|Bimonthly| |ROYAL SOC EDINBURGH +13307|Proceedings of the Royal Society of London|Science|0370-1662| | |ROYAL SOC +13308|Proceedings of the Royal Society of London Series A-Containing Papers of Amathematical and Physical Character| |0950-1207|Annual| |ROYAL SOC +13309|Proceedings of the Royal Society of London Series A-Mathematical and Physical Sciences| |0080-4630|Irregular| |ROYAL SOC +13310|Proceedings of the Royal Society of London Series B-Containing Papers of Abiological Character| |0950-1193| | |ROYAL SOC +13311|Proceedings of the Royal Society of Queensland| |0080-469X|Annual| |ROYAL SOC QUEENSLAND +13312|Proceedings of the Royal Society of Victoria| |0035-9211|Semiannual| |ROYAL SOC VICTORIA +13313|Proceedings of the San Diego Society of Natural History| |1059-8707|Irregular| |SAN DIEGO SOC NATURAL HISTORY +13314|Proceedings of the Shropshire Geological Society| |1750-855X|Annual| |SHROPSHIRE GEOLOGICAL SOC +13315|Proceedings of The Society for Experimental Biology and Medicine|Clinical Medicine / Physiology; Medicine, Experimental; Biology; Medicine|0037-9727|Monthly| |WILEY-BLACKWELL PUBLISHING +13316|Proceedings of the Steklov Institute of Mathematics|Mathematics / Mathematics; Mathématiques; Wiskunde|0081-5438|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13317|Proceedings of the West Virginia Academy of Science| |0096-4263|Irregular| |WEST VIRGINIA ACAD SCIENCE +13318|Proceedings of the Western Foundation of Vertebrate Zoology| |0511-7550|Irregular| |WESTERN FOUNDATION VERTEBRATE ZOOLOGY +13319|Proceedings of the Yorkshire Geological Society|Geosciences /|0044-0604|Semiannual| |GEOLOGICAL SOC PUBL HOUSE +13320|Proceedings of the Zoological Society of London| |0370-2774|Annual| |OXFORD UNIV PRESS +13321|Proceedings of the Zoological Society of London Series A-General and Experimental| | | | |CAMBRIDGE UNIV PRESS +13322|Proceedings of the Zoological Society of London Series B-Systematic and Morphological| | | | |CAMBRIDGE UNIV PRESS +13323|Proceedings of the Zoological Society-Calcutta| |0373-5893|Semiannual| |SPRINGER INDIA +13324|Process Biochemistry|Biology & Biochemistry / Bioengineering; Biochemistry; Chemical Engineering|1359-5113|Monthly| |ELSEVIER SCI LTD +13325|Process Safety and Environmental Protection|Chemistry / Chemical plants; Environmental protection|0957-5820|Bimonthly| |INST CHEMICAL ENGINEERS +13326|Process Safety Progress|Chemistry / Chemical plants; Procesindustrie; Veiligheid|1066-8527|Quarterly| |JOHN WILEY & SONS INC +13327|Production and Operations Management|Economics & Business / Production management; Productiemanagement|1059-1478|Bimonthly| |PRODUCTION OPERATIONS MANAGEMENT SOC +13328|Production Planning & Control|Engineering / Production planning; Production control / Production planning; Production control|0953-7287|Bimonthly| |TAYLOR & FRANCIS LTD +13329|Productions Animales|Plant & Animal Science|0990-0632|Bimonthly| |INST NATL RECHERCHE AGRONOMIQUE +13330|Proenvironment Promediu| |1844-6698|Irregular| |PROENVIRONMENT +13331|Profesional de la Informacion|Social Sciences, general /|1386-6710|Bimonthly| |EPI +13332|Professional Engineering|Engineering|0953-6639|Semimonthly| |PROFESSIONAL ENGINEERING PUBLISHING LTD +13333|Professional Geographer|Social Sciences, general / Geography; Géographie|0033-0124|Quarterly| |ROUTLEDGE JOURNALS +13334|Professional Psychology-Research and Practice|Psychiatry/Psychology / Clinical psychology; Psychology, Applied; Psychology; Psychology, Clinical; Psychologie clinique; Psychologie appliquée|0735-7028|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +13335|Program-Electronic Library and Information Systems|Social Sciences, general / Libraries; Library Automation; Information Systems; Computers; Informatiesystemen; Bibliotheken / Libraries; Library Automation; Information Systems; Computers; Informatiesystemen; Bibliotheken|0033-0337|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +13336|Programming and Computer Software|Computer Science / Programming languages (Electronic computers)|0361-7688|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13337|Progrès en Urologie|Clinical Medicine / Urologic Diseases|1166-7087|Bimonthly| |ELSEVIER MASSON +13338|Progress in Aerospace Sciences|Engineering / Aeronautics; Astronautics|0376-0421|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13339|PROGRESS IN BIOCHEMISTRY AND BIOPHYSICS|Biology & Biochemistry /|1000-3282|Monthly| |CHINESE ACAD SCIENCES +13340|Progress in Biophysics & Molecular Biology|Molecular Biology & Genetics / Biophysics; Biochemistry; Molecular Biology|0079-6107|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13341|Progress in Brain Research|Neuroscience & Behavior|0079-6123|Bimonthly| |ELSEVIER SCIENCE BV +13342|Progress in Brain Research| |0079-6123|Semiannual| |ELSEVIER SCIENCE BV +13343|Progress in Cardiovascular Diseases|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases|0033-0620|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +13344|Progress in Chemistry|Chemistry|1005-281X|Monthly| |CHINESE ACAD SCIENCES +13345|Progress in Computational Fluid Dynamics|Engineering / Fluid dynamics|1468-4349|Bimonthly| |INDERSCIENCE ENTERPRISES LTD +13346|Progress in Crystal Growth and Characterization of Materials|Chemistry / Crystal growth|0960-8974|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +13347|Progress in Electromagnetics Research-Pier|Engineering /|1559-8985|Irregular| |E M W PUBLISHING +13348|Progress in Energy and Combustion Science|Engineering / Power (Mechanics); Combustion engineering|0360-1285|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13349|Progress in Experimental Tumor Research|Clinical Medicine|0079-6263|Semiannual| |KARGER +13350|Progress in Histochemistry and Cytochemistry|Molecular Biology & Genetics / Histochemistry; Cytochemistry; Histocytochemistry; Histochemie; Cytochemie|0079-6336|Quarterly| |ELSEVIER GMBH +13351|Progress in Human Geography|Social Sciences, general / Human geography; Regionale geografie|0309-1325|Quarterly| |SAGE PUBLICATIONS LTD +13352|Progress in Inorganic Chemistry|Chemistry|0079-6379|Annual| |JOHN WILEY & SONS INC +13353|Progress in Lipid Research|Biology & Biochemistry / Lipids|0163-7827|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +13354|Progress in Materials Science|Materials Science / Physical metallurgy; Materials science; Métallurgie physique|0079-6425|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13355|Progress in Molecular Biology and Translational Science|Biology & Biochemistry|0079-6603|Irregular| |ELSEVIER ACADEMIC PRESS INC +13356|Progress in Natural Science|Physics / Science; Research; Research institutes|1002-0071|Monthly| |ELSEVIER SCIENCE INC +13357|Progress in Neuro-Psychopharmacology & Biological Psychiatry|Neuroscience & Behavior / Neuropsychopharmacology; Biological psychiatry; Psychiatry; Psychopharmacology|0278-5846|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13358|Progress in Neurobiology|Neuroscience & Behavior / Neurobiology; Neurology|0301-0082|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13359|Progress in Nuclear Energy|Engineering / Nuclear energy; Nuclear engineering|0149-1970|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +13360|Progress in Nuclear Magnetic Resonance Spectroscopy|Engineering / Nuclear magnetic resonance spectroscopy; Nuclear magnetic resonance|0079-6565|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13361|Progress in Nucleic Acid Research and Molecular Biology|Biology & Biochemistry / Nucleic acids; Molecular biology; Nucleic Acids; Molecular Biology; Acides nucléiques; Biologie moléculaire|0079-6603|Annual| |ELSEVIER ACADEMIC PRESS INC +13362|Progress in Nutrition|Agricultural Sciences|1129-8723|Quarterly| |MATTIOLI 1885 +13363|Progress in Oceanography|Geosciences / Oceanography; Marine Biology|0079-6611|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13364|Progress in Optics|Physics|0079-6638|Annual| |ELSEVIER SCIENCE BV +13365|Progress in Organic Coatings|Materials Science /|0300-9440|Bimonthly| |ELSEVIER SCIENCE SA +13366|Progress in Particle and Nuclear Physics Series|Particles (Nuclear physics); Nuclear physics|0146-6410|Semiannual| |ELSEVIER SCIENCE BV +13367|Progress in Photovoltaics|Engineering / Solar cells; Photovoltaic cells; Solar power plants|1062-7995|Bimonthly| |JOHN WILEY & SONS LTD +13368|Progress in Physical Geography|Geosciences / Physical geography; Fysische geografie|0309-1333|Bimonthly| |SAGE PUBLICATIONS LTD +13369|Progress in Planning|Social Sciences, general / City planning; Urbanisme|0305-9006|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13370|Progress in Plant Protection| |1427-4337|Semiannual| |INST OCHRONY ROSLIN +13371|Progress in Polymer Science|Chemistry / Polymers; Polymerization|0079-6700|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13372|Progress in Quantum Electronics|Engineering / Quantum electronics|0079-6727|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13373|Progress in Reaction Kinetics and Mechanism|Chemistry / Chemical kinetics|1468-6783|Quarterly| |SCIENCE REVIEWS 2000 LTD +13374|Progress in Retinal and Eye Research|Clinical Medicine / Retina; Eye; Eye Diseases|1350-9462|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13375|Progress in Rubber Plastics and Recycling Technology| |1477-7606|Quarterly| |ISMITHERS-IRAPRA TECHNOLOGY LTD +13376|Progress in Solid State Chemistry|Chemistry / Solid state chemistry|0079-6786|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +13377|Progress in Surface Science|Physics / Surface chemistry; Surfaces (Technology); Surface Properties; Oppervlakken|0079-6816|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13378|Progress in Transplantation|Clinical Medicine|1526-9248|Quarterly| |INNOVISION COMMUNICATIONS +13379|Progress of Theoretical Physics|Physics / Mathematical physics; Theoretische fysica; Physique mathématique|0033-068X|Monthly| |PROGRESS THEORETICAL PHYSICS PUBLICATION OFFICE +13380|Progress of Theoretical Physics Supplement|Physics / Physics|0375-9687|Quarterly| |PROGRESS THEORETICAL PHYSICS PUBLICATION OFFICE +13381|Prolegomena| |1333-4395|Semiannual| |SOC ADVANCEMENT PHILOSOPHY-ZAGREB +13382|Prologue-Quarterly of the National Archives and Records Administration| |0033-1031|Quarterly| |NATL ARCHIVES RECORDS ADMINISTRATION +13383|Promerops| | |Quarterly| |CAPE BIRD CLUB +13384|Promet-Traffic & Transportation|Engineering|0353-5320|Bimonthly| |SVENCILISTE U ZAGREBU +13385|Prooftexts-A Journal of Jewish Literary History|Hebrew literature; Yiddish literature; Jewish literature; Letterkunde; Joden|0272-9601|Tri-annual| |INDIANA UNIV PRESS +13386|Propagation of Ornamental Plants|Agricultural Sciences|1311-9109|Quarterly| |SEJANI PUBL +13387|Propellants Explosives Pyrotechnics|Chemistry / Propellants; Explosives|0721-3115|Bimonthly| |WILEY-V C H VERLAG GMBH +13388|Prospettiva-Rivista Di Storia Dell Arte Antica E Moderna| |0394-0802|Tri-annual| |CENTRO DI +13389|Prostaglandins & Other Lipid Mediators|Molecular Biology & Genetics / Prostaglandins|1098-8823|Monthly| |ELSEVIER SCIENCE INC +13390|Prostaglandins Leukotrienes and Essential Fatty Acids|Molecular Biology & Genetics / Unsaturated fatty acids; Prostaglandins; Leukotrienes; Fatty Acids, Unsaturated|0952-3278|Monthly| |ELSEVIER SCI LTD +13391|Prostate|Clinical Medicine / Prostate|0270-4137|Monthly| |WILEY-LISS +13392|Prostate Cancer and Prostatic Diseases|Clinical Medicine / Prostate; Prostatic Neoplasms; Prostatic Diseases|1365-7852|Quarterly| |NATURE PUBLISHING GROUP +13393|Prosthetics and Orthotics International|Clinical Medicine / Orthopedic apparatus; Implants, Artificial; Orthotic Devices; Prostheses and Implants|0309-3646|Tri-annual| |TAYLOR & FRANCIS LTD +13394|Prostor| |1330-0652|Semiannual| |UNIV ZAGREB FAC ARCHITECTURE +13395|Protection of Metals and Physical Chemistry of Surfaces| |2070-2051|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13396|Protein and Peptide Letters|Biology & Biochemistry / Proteins; Peptides|0929-8665|Bimonthly| |BENTHAM SCIENCE PUBL LTD +13397|Protein Engineering Design & Selection|Biology & Biochemistry / Protein engineering; Protein Engineering|1741-0126|Monthly| |OXFORD UNIV PRESS +13398|Protein Expression and Purification|Biology & Biochemistry / Proteins; Gene Expression Regulation; Protéines|1046-5928|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +13399|Protein Journal|Biology & Biochemistry / Proteins; Chemistry; Eiwitten|1572-3887|Bimonthly| |SPRINGER +13400|Protein Science|Biology & Biochemistry / Proteins; Protéines; Eiwitten; Moleculaire biologie|0961-8368|Monthly| |JOHN WILEY & SONS INC +13401|Proteins-Structure Function and Bioinformatics|Biology & Biochemistry / Proteins / Proteins|0887-3585|Semimonthly| |WILEY-LISS +13402|Proteome Science|Molecular Biology & Genetics / Proteomics|1477-5956|Monthly| |BIOMED CENTRAL LTD +13403|PROTEOMICS|Molecular Biology & Genetics / Proteomics; Protéomique; Proteome; Genome; Proteins|1615-9853|Monthly| |WILEY-V C H VERLAG GMBH +13404|Proteomics Clinical Applications|Molecular Biology & Genetics / Proteomics|1862-8346|Monthly| |WILEY-V C H VERLAG GMBH +13405|Proteus| |0889-6348|Semiannual| |SHIPPENSBURG UNIV PENNSYLVANIA +13406|Protist|Biology & Biochemistry / Protozoa; Protistologie|1434-4610|Quarterly| |ELSEVIER GMBH +13407|Protistology| |1680-0826|Quarterly| |PUBL OFFICE TESSA +13408|PROTOPLASMA|Plant & Animal Science / Protoplasm; Cell Physiology; Cells|0033-183X|Bimonthly| |SPRINGER WIEN +13409|Protozoological Monographs| |1437-7012|Irregular| |SHAKER VERLAG GMBH +13410|Prous Science News| | |Monthly| |PROUS SCIENCE +13411|Provincial Museum of Alberta Natural History Occasional Paper| |0838-5971|Irregular| |PROVINCIAL MUSEUM ALBERTA +13412|Przeglad Antropologiczny| |0033-2003|Annual| |ADAM MINKIEWICZ UNIV +13413|Przeglad Elektrotechniczny|Engineering|0033-2097|Monthly| |WYDAWNICTWO SIGMA - N O T +13414|Przeglad Gastroenterologiczny|Clinical Medicine /|1895-5770|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +13415|Przeglad Geologiczny| |0033-2151|Monthly| |PANSTWOWY INST GEOLOGICZNY +13416|Przeglad Menopauzalny|Clinical Medicine|1643-8876|Bimonthly| |TERMEDIA PUBLISHING HOUSE LTD +13417|Przeglad Przyrodniczy| |1230-509X|Quarterly| |WYDAWNICTWO LUBUSKIEGO KLUBU PRZYRODNIKOW +13418|Przeglad Zoologiczny| |0033-247X|Quarterly| |BIOLOGICA SILESIAE +13419|Przemysl Chemiczny|Chemistry|0033-2496|Monthly| |WYDAWNICTWO SIGMA - N O T +13420|Ps-Political Science & Politics|Social Sciences, general / Political science; Science politique; POLITICAL SCIENCE / Political science; Science politique; POLITICAL SCIENCE / Political science; Science politique; POLITICAL SCIENCE / Political science; Science politique; POLITICAL SCIEN|1049-0965|Quarterly| |CAMBRIDGE UNIV PRESS +13421|Psicologia-Reflexao E Critica|Psychiatry/Psychology / Psychology|0102-7972|Tri-annual| |UNIV FEDERAL RIO GRANDE SUL +13422|Psicologica|Psychiatry/Psychology|0211-2159|Semiannual| |Universidad Católica de Valencia +13423|Psicothema|Psychiatry/Psychology|0214-9915|Quarterly| |COLEGIO OFICIAL DE PSICOLOGOS DE ASTURIAS +13424|Psihijatrija Danas-Psychiatry Today| |0350-2538|Quarterly| |INST ZA MENTALNO ZDRAVLJE +13425|Psihologija|Psychiatry/Psychology /|0048-5705|Quarterly| |ASSOC SERBIAN PSYCHOLOGISTS +13426|Psikhologicheskii Zhurnal|Psychiatry/Psychology|0205-9592|Bimonthly| |MEZHDUNARODNAYA KNIGA +13427|Psitta Scene| |1363-3368|Quarterly| |WORLD PARROT TRUST +13428|Psn-Psychiatrie Sciences Humaines Neurosciences|Psychiatry/Psychology /|1639-8319|Quarterly| |SPRINGER +13429|Psyche-Journal of Entomology|Entomology; Insects|0033-2615|Quarterly| |HINDAWI PUBLISHING CORPORATION +13430|Psyche-Zeitschrift fur Psychoanalyse und Ihre Anwendungen|Psychiatry/Psychology|0033-2623|Monthly| |KLETT-COTTA VERLAG +13431|Psychiatria Danubina| |0353-5053|Irregular| |MEDICINSKA NAKLADA +13432|Psychiatria et Neurologia Japonica| |0033-2658|Monthly| |JAPANESE SOC PSYCHIATRY & NEUROLOGY +13433|Psychiatria Polska|Psychiatry/Psychology|0033-2674|Bimonthly| |WYDAWNICZY POLSKIEGO TOWARZYSTWA +13434|Psychiatric Annals|Psychiatry/Psychology / Psychiatry; Behavioral Sciences|0048-5713|Monthly| |SLACK INC +13435|Psychiatric Clinics of North America|Psychiatry/Psychology / Psychiatry; Psychology, Pathological; Psychiatrie|0193-953X|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +13436|Psychiatric Genetics|Neuroscience & Behavior / Mental illness; Behavior genetics; Psychophysiology; Brain; Genetics; Genetics, Behavioral; Mental Disorders|0955-8829|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +13437|Psychiatric Quarterly|Psychiatry/Psychology / Psychiatry / Psychiatry|0033-2720|Quarterly| |SPRINGER +13438|Psychiatric Rehabilitation Journal|Social Sciences, general / Mentally ill; Mental illness; Mental Disorders; Mental Health Services; Psychosociale hulpverlening; Rehabilitatie; Malades mentaux; Santé mentale, Services de; Maladies mentales|1095-158X|Quarterly| |CENTER PSYCHIATRIC REHABILITATION +13439|Psychiatric Services|Psychiatry/Psychology / Psychiatric hospital care; Community psychiatry; Community Psychiatry; Mental Disorders; Mental Health Services|1075-2730|Monthly| |AMER PSYCHIATRIC PUBLISHING +13440|Psychiatrie de L Enfant|Psychiatry/Psychology / Child Psychiatry|0079-726X|Semiannual| |PRESSES UNIV FRANCE +13441|Psychiatrische Praxis|Psychiatry/Psychology / Psychiatry|0303-4259|Bimonthly| |GEORG THIEME VERLAG KG +13442|Psychiatry|Psychiatry|0033-2747|Quarterly| |GUILFORD PUBLICATIONS INC +13443|Psychiatry and Clinical Neurosciences|Clinical Medicine / Psychiatry; Neurology; Neurosciences|1323-1316|Bimonthly| |WILEY-BLACKWELL PUBLISHING +13444|Psychiatry Investigation| |1738-3684|Quarterly| |KOREAN NEUROPSYCHIATRIC ASSOC +13445|Psychiatry Psychology and Law|Criminal psychology; Forensic psychiatry; Mentally ill offenders; Criminal Psychology; Forensic Psychiatry; Mental Disorders; Gerechtelijke psychiatrie|1321-8719|Semiannual| |AUSTRALIAN ACAD PRESS +13446|Psychiatry Research|Psychiatry/Psychology / Psychiatry|0165-1781|Monthly| |ELSEVIER IRELAND LTD +13447|Psychiatry Research-Neuroimaging|Neuroscience & Behavior /|0925-4927|Bimonthly| |ELSEVIER IRELAND LTD +13448|Psychiatry-Interpersonal and Biological Processes|Psychiatry/Psychology|0033-2747|Quarterly| |GUILFORD PUBLICATIONS INC +13449|Psycho-Oncologie|Psychiatry/Psychology /|1778-3798|Quarterly| |SPRINGER +13450|Psycho-Oncology|Psychiatry/Psychology / Cancer; Neoplasms|1057-9249|Bimonthly| |JOHN WILEY & SONS LTD +13451|Psychoanalytic Dialogues|Psychiatry/Psychology / Psychoanalysis; Psychotherapist and patient; Psychoanalytic Theory|1048-1885|Bimonthly| |ROUTLEDGE JOURNALS +13452|Psychoanalytic Inquiry|Psychiatry/Psychology / Psychoanalysis; Psychanalyse|0735-1690|Bimonthly| |ANALYTIC PRESS INC +13453|Psychoanalytic Psychology|Psychiatry/Psychology / Psychoanalysis; Psychotherapy; Psychanalyse; Psychothérapie / Psychoanalysis; Psychotherapy; Psychanalyse; Psychothérapie|0736-9735|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +13454|Psychoanalytic Quarterly|Psychiatry/Psychology|0033-2828|Quarterly| |PSYCHOANALYTIC QUARTERLY +13455|Psychoanalytic Review|Psychology; Psychoanalysis; Psychanalyse; Psychologie / Psychology; Psychoanalysis; Psychanalyse; Psychologie|0033-2836|Bimonthly| |GUILFORD PUBLICATIONS INC +13456|Psychoanalytic Study of the Child|Psychiatry/Psychology|0079-7308|Annual| |YALE UNIV PRESS +13457|Psychoanalytic Study of the Child| |0079-7308|Annual| |YALE UNIV PRESS +13458|Psychogeriatrics|Psychiatry/Psychology / Geriatric psychiatry; Geriatric Psychiatry|1346-3500|Quarterly| |WILEY-BLACKWELL PUBLISHING +13459|PSYCHOLOGIA|Psychiatry/Psychology / Psychology; Psychologie|0033-2852|Quarterly| |PSYCHOLOGIA SOC +13460|Psychologica Belgica|Psychiatry/Psychology|0033-2879|Tri-annual| |BELGIAN PSYCHOL SOC +13461|Psychological Assessment|Psychiatry/Psychology / Clinical psychology; Psychodiagnostics; Psychological tests; Mental Disorders; Personality Assessment; Psychological Tests; Psychodiagnostiek; Beoordeling; Klinische psychologie; Diagnose; Psychometrie; Tests psychologiques / Clin|1040-3590|Quarterly| |AMER PSYCHOLOGICAL ASSOC +13462|Psychological Bulletin|Psychiatry/Psychology / Psychology; Psychologie|0033-2909|Bimonthly| |AMER PSYCHOLOGICAL ASSOC +13463|Psychological Inquiry|Psychiatry/Psychology / Psychology; Psychological Theory|1047-840X|Quarterly| |PSYCHOLOGY PRESS +13464|Psychological Medicine|Psychiatry/Psychology / Psychiatry; Medicine and psychology; Clinical psychology; Psychology, Clinical; Psychiatrie|0033-2917|Bimonthly| |CAMBRIDGE UNIV PRESS +13465|Psychological Methods|Psychiatry/Psychology / Psychology; Psychologie; Wetenschappelijke technieken|1082-989X|Quarterly| |AMER PSYCHOLOGICAL ASSOC +13466|Psychological Monographs| |0096-9753|Annual| |AMER PSYCHOLOGICAL ASSOC +13467|Psychological Monographs-General and Applied| | | | |AMER PSYCHOLOGICAL ASSOC +13468|Psychological Record|Psychiatry/Psychology|0033-2933|Quarterly| |PSYCHOLOGICAL RECORD +13469|Psychological Reports|Psychiatry/Psychology / Psychology; Psychiatry|0033-2941|Bimonthly| |AMMONS SCIENTIFIC +13470|Psychological Research-Psychologische Forschung|Psychiatry/Psychology / Psychology; Communication; Learning; Perception|0340-0727|Quarterly| |SPRINGER HEIDELBERG +13471|Psychological Review|Psychiatry/Psychology / Psychology; Psychological literature; Psychologie|0033-295X|Quarterly| |AMER PSYCHOLOGICAL ASSOC +13472|Psychological Review-Monograph Supplements| | |Quarterly| |AMER PSYCHOLOGICAL ASSOC +13473|Psychological Science|Psychiatry/Psychology / Psychology|0956-7976|Bimonthly| |SAGE PUBLICATIONS INC +13474|Psychologie & gezondheid|Psychiatry/Psychology /|1873-1791|Bimonthly| |BOHN STAFLEU VAN LOGHUM BV +13475|Psychologie & Neuropsychiatrie Du Vieillissement|Psychiatry/Psychology|1760-1703|Quarterly| |JOHN LIBBEY EUROTEXT LTD +13476|Psychologie du Travail et des Organisations|Psychiatry/Psychology /|1420-2530|Quarterly| |ASSOC INT PSYCHOL TRAVAIL LANGUE FRANCAISE-AIPTLF +13477|Psychologie francaise|Psychiatry/Psychology / Psychology / Psychology|0033-2984|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +13478|Psychologie in Erziehung und Unterricht|Psychiatry/Psychology|0342-183X|Quarterly| |ERNST REINHARDT GMBH CO VERLAG +13479|Psychologische Forschung| |0033-3026|Quarterly| |SPRINGER +13480|Psychologische Rundschau|Psychiatry/Psychology / Psychology|0033-3042|Quarterly| |HOGREFE & HUBER PUBLISHERS +13481|Psychologist|Psychiatry/Psychology|0952-8229|Monthly| |BRITISH PSYCHOLOGICAL SOC +13482|Psychology & Health|Psychiatry/Psychology / Clinical health psychology; Attitude to Health; Public Opinion; Psychology / Clinical health psychology; Attitude to Health; Psychology; Public Opinion; Medische psychologie; Santé|0887-0446|Bimonthly| |TAYLOR & FRANCIS LTD +13483|Psychology & Marketing|Psychiatry/Psychology / Marketing; Motivation research (Marketing); Economische psychologie; Psychologische aspecten|0742-6046|Bimonthly| |JOHN WILEY & SONS INC +13484|Psychology and Aging|Psychiatry/Psychology / Aging; Older people; Aged; Veroudering (biologie, psychologie); Psychologische aspecten; Personnes âgées|0882-7974|Quarterly| |AMER PSYCHOLOGICAL ASSOC +13485|Psychology and Psychotherapy-Theory Research and Practice|Psychiatry/Psychology / Clinical psychology; Mental Disorders; Psychological Theory; Psychotherapy; Psychotherapie; Psychologie clinique; Psychothérapie|1476-0835|Quarterly| |BRITISH PSYCHOLOGICAL SOC +13486|Psychology Crime & Law|Psychiatry/Psychology / Criminal psychology; Law / Criminal psychology; Law|1068-316X|Bimonthly| |ROUTLEDGE JOURNALS +13487|Psychology Health & Medicine|Psychiatry/Psychology / Medicine and psychology; Clinical health psychology; Behavioral Medicine; Disease; Psychology, Medical; Therapeutics / Medicine and psychology; Clinical health psychology; Behavioral Medicine; Disease; Psychology, Medical; Therape|1354-8506|Bimonthly| |ROUTLEDGE JOURNALS +13488|Psychology in the Schools|Psychiatry/Psychology / Educational psychology; Child Psychology; Psychology, Educational|0033-3085|Quarterly| |JOHN WILEY & SONS INC +13489|Psychology of Addictive Behaviors|Psychiatry/Psychology / Substance abuse; Compulsive behavior; Behavior Therapy; Substance-Related Disorders; Verslaving; Drugsverslaving; Psychologische aspecten; Polytoxicomanie; Comportement compulsif; Thérapie de comportement; Dépendants|0893-164X|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +13490|Psychology of Aesthetics Creativity and the Arts|Aesthetics; Creation (Literary, artistic, etc.); Art|1931-3896|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +13491|Psychology of Learning and Motivation|Motivation (Psychology); Learning, Psychology of; Learning; Motivation|0079-7421|Irregular| |ELSEVIER ACADEMIC PRESS INC +13492|Psychology of Men & Masculinity|Psychiatry/Psychology / Men; Masculinity; Sex Characteristics; Mannelijkheid|1524-9220|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +13493|Psychology of Music|Psychiatry/Psychology / Music; Musique|0305-7356|Quarterly| |SAGE PUBLICATIONS INC +13494|Psychology of Sport and Exercise|Psychiatry/Psychology / Sports; Exercise|1469-0292|Bimonthly| |ELSEVIER SCIENCE BV +13495|Psychology of Women Quarterly|Psychiatry/Psychology / Women; Psychology; Femmes; Vrouwen; Psychologie; Femme; Genre; Psychologie féministe|0361-6843|Quarterly| |WILEY-BLACKWELL PUBLISHING +13496|Psychology Public Policy and Law|Psychiatry/Psychology / Law; Mental health laws; Mental health; Jurisprudence; Psychology; Public Policy; Criminele psychologie; Rechtspsychologie|1076-8971|Quarterly| |AMER PSYCHOLOGICAL ASSOC +13497|Psychometrika|Psychiatry/Psychology / Psychometrics; Psychométrie|0033-3123|Quarterly| |SPRINGER +13498|Psychoneuroendocrinology|Neuroscience & Behavior / Psychoneuroendocrinology; Endocrinology; Neurology; Psychiatry|0306-4530|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13499|Psychonomic Bulletin & Review|Psychiatry/Psychology / Psychology; Psychology, Experimental; Psychophysiology; Psychologische functieleer; Psychologie|1069-9384|Quarterly| |PSYCHONOMIC SOC INC +13500|Psychopathology|Psychiatry/Psychology / Psychology, Pathological; Psychopathology; Psychopathologie|0254-4962|Bimonthly| |KARGER +13501|Psychopharm Review| |1936-9255|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +13502|Psychopharmacology|Neuroscience & Behavior / Psychopharmacology / Psychopharmacology|0033-3158|Semimonthly| |SPRINGER +13503|Psychopharmacology Bulletin|Neuroscience & Behavior|0048-5764|Quarterly| |MEDWORKS MEDIA GLOBAL +13504|Psychopharmakotherapie|Psychiatry/Psychology|0944-6877|Quarterly| |WISSENSCHAFTLICHE VERLAG MBH +13505|Psychophysiology|Psychiatry/Psychology / Psychophysiology|0048-5772|Bimonthly| |WILEY-BLACKWELL PUBLISHING +13506|Psychosomatic Medicine|Psychiatry/Psychology / Psychophysiology; Medicine, Psychosomatic; Mind and body|0033-3174|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +13507|Psychosomatics|Psychiatry/Psychology / Medicine, Psychosomatic; Psychosomatic Medicine|0033-3182|Bimonthly| |AMER PSYCHIATRIC PUBLISHING +13508|Psychotherapeut|Psychiatry/Psychology / Psychotherapy; Psychotherapie|0935-6185|Bimonthly| |SPRINGER +13509|Psychotherapie Psychosomatik Medizinische Psychologie|Psychiatry/Psychology /|0937-2032|Monthly| |GEORG THIEME VERLAG KG +13510|Psychotherapy|Psychiatry/Psychology / Psychotherapy; Psychotherapie; Psychothérapie / Psychotherapy; Psychotherapie; Psychothérapie|0033-3204|Quarterly| |AMER PSYCHOLOGICAL ASSOC +13511|Psychotherapy and Psychosomatics|Psychiatry/Psychology / Medicine, Psychosomatic; Psychotherapy; Psychosomatic Medicine; Psychiatrie; Psychotherapie; Psychosomatiek|0033-3190|Bimonthly| |KARGER +13512|Psychotherapy Research|Psychiatry/Psychology / Psychotherapy|1050-3307|Bimonthly| |ROUTLEDGE JOURNALS +13513|Ptaki Slaska| |0860-3022|Irregular| |UNIWERSYTET WROCLAWSKI +13514|Pteridines|Biology & Biochemistry|0933-4807|Quarterly| |INT SOC PTERIDINOLOGY +13515|Public Administration|Social Sciences, general / Public administration; Civil service|0033-3298|Quarterly| |WILEY-BLACKWELL PUBLISHING +13516|Public Administration and Development|Social Sciences, general / Public administration; Bestuurskunde; Ontwikkelingsproblematiek|0271-2075|Bimonthly| |JOHN WILEY & SONS LTD +13517|Public Administration Review|Social Sciences, general / Public administration; Administration publique (Science)|0033-3352|Bimonthly| |WILEY-BLACKWELL PUBLISHING +13518|Public Choice|Social Sciences, general / Social choice; Decision making; Political science|0048-5829|Bimonthly| |SPRINGER +13519|Public Culture|Social Sciences, general / Arts and society; Popular culture; History; Ethnology; Culture; Intertextuality|0899-2363|Tri-annual| |DUKE UNIV PRESS +13520|Public Health|Social Sciences, general / Public health; Public Health; Santé publique|0033-3506|Bimonthly| |W B SAUNDERS CO LTD +13521|Public Health Genomics|Molecular Biology & Genetics /|1662-4246|Bimonthly| |KARGER +13522|Public Health Nursing|Social Sciences, general / Public health nursing; Public Health Nursing|0737-1209|Bimonthly| |WILEY-BLACKWELL PUBLISHING +13523|Public Health Nutrition|Social Sciences, general / Nutrition; Diseases; Public health; Cuisine santé; Promotion de la santé; Santé publique; Diet; Health Promotion; Public Health|1368-9800|Bimonthly| |CAMBRIDGE UNIV PRESS +13524|Public Health Reports|Social Sciences, general / Public health; Public Health; Volksgezondheid; Openbare gezondheidszorg|0033-3549|Bimonthly| |ASSOC SCHOOLS PUBLIC HEALTH +13525|Public Historian|Social history; Social sciences; Social Sciences|0272-3433|Quarterly| |UNIV CALIFORNIA PRESS +13526|Public Management Review|Economics & Business / Local government; Public administration|1471-9037|Quarterly| |ROUTLEDGE JOURNALS +13527|Public Money & Management|Social Sciences, general / Finance, Public|0954-0962|Quarterly| |ROUTLEDGE JOURNALS +13528|Public Opinion Quarterly|Social Sciences, general / Public opinion; Public Opinion; Publieke opinie; Opinion publique; PUBLIC OPINION; UNITED STATES|0033-362X|Quarterly| |OXFORD UNIV PRESS +13529|Public Personnel Management|Economics & Business|0091-0260|Quarterly| |INT PERSONNEL MANAGEMENT ASSOC +13530|Public Relations Review|Social Sciences, general / Public relations|0363-8111|Bimonthly| |ELSEVIER SCIENCE INC +13531|Public Understanding of Science|Social Sciences, general / Science news; Science; Technology|0963-6625|Quarterly| |SAGE PUBLICATIONS LTD +13532|Publica| |1981-8297|Semiannual| |UNIV FED RIO GRANDE DO NORTE +13533|Publicacao Especial Do Departamento de Geologia Centro de Tecnologia Universidade Federal de Pernambuco| | |Irregular| |UNIV FEDERAL PERNAMBUCO +13534|Publicacion Especial de la Sociedad Entomologica Argentina| |1666-4523|Irregular| |SOC ENTOMOLOGICA ARGENTINA +13535|Publicacion Extra Museos Nacionales de Historia Natural Y Antropologia-Montevideo En Linea| |1510-7353|Irregular| |MUSEO NACIONAL HISTORIA NATURAL ANTROPOLOGIA +13536|Publicaciones de Biologia de la Universidad de Navarra Serie Zoologica| |0213-313X|Irregular| |UNIV NAVARRA +13537|Publicaciones Del Seminario de Paleontologia de Zaragoza| | |Irregular| |UNIV ZARAGOZA +13538|Publicacions Matematiques|Mathematics|0214-1493|Semiannual| |UNIV AUTONOMA BARCELONA +13539|Publicacoes Avulsas Do Instituto Pau Brasil de Historia Natural| |1516-4926|Irregular| |INST PAU BRASIL HISTORIA NATURAL +13540|Publicacoes Avulsas Do Museu Nacional| |0100-6304|Irregular| |UNIV FEDERAL DO RIO JANEIRO +13541|Publicatie van de Belgische Vereniging Voor Paleontologie| |0772-6163|Irregular| |BELGISCHE VERENIGING VOOR PALEONTOLOGIE VZW ZETEL +13542|Publicaties van Het Natuurhistorisch Genootschap in Limburg| |0374-955X|Irregular| |NATUURHISTORISCH GENOOTSCHAP IN LIMBURG +13543|Publicationes Mathematicae-Debrecen|Mathematics|0033-3883|Quarterly| |KOSSUTH LAJOS TUDOMANYEGYETEM +13544|Publications Mathématiques de l IHÉS|Mathematics / Mathematics / Mathematics / Mathematics / Mathematics / Mathematics|0073-8301|Semiannual| |PRESSES UNIV FRANCE +13545|Publications of Ministry of Agriculture and Forestry Finland| |1238-2531|Irregular| |FINLAND MINISTRY AGRICULTURE & FORESTRY +13546|Publications of the American Statistical Association|Statistics|1522-5437|Irregular| |AMER STATISTICAL ASSOC +13547|Publications of the Astronomical Society of Australia|Space Science / Astronomy; Southern sky (Astronomy); Astrophysics; Astronomie; Hémisphère sud (Astronomie); Astrophysique; Sterrenkunde|1323-3580|Tri-annual| |CSIRO PUBLISHING +13548|Publications of the Astronomical Society of Japan|Space Science|0004-6264|Bimonthly| |ASTRONOMICAL SOC JAPAN +13549|Publications of the Astronomical Society of the Pacific|Space Science / Astronomy; Astronomie; Sterrenkunde|0004-6280|Monthly| |UNIV CHICAGO PRESS +13550|Publications of the Nuttall Ornithological Club| |0550-4082|Irregular| |NUTTALL ORNITHOLOGICAL CLUB +13551|Publications of the Research Institute for Mathematical Sciences|Mathematics / Mathematics; Wiskunde|0034-5318|Quarterly| |KYOTO UNIV +13552|Publications of the Seto Marine Biological Laboratory| |0037-2870|Bimonthly| |SETO MARINE BIOLOGICAL LABORATORY +13553|Publishers Weekly| |0000-0019|Weekly| |REED BUSINESS INFORMATION +13554|Publishing History| |0309-2445|Semiannual| |PROQUEST LLC +13555|Publius-The Journal of Federalism|Social Sciences, general / Federal government; Fédéralisme|0048-5950|Quarterly| |OXFORD UNIV PRESS +13556|Puerto Rico Health Sciences Journal| |0738-0658|Quarterly| |UNIV PUERTO RICO MEDICAL SCIENCES CAMPUS +13557|Pulmonary Pharmacology & Therapeutics|Clinical Medicine / Pulmonary pharmacology; Lung Diseases; Farmacologie; Longen; Longziekten; Therapieën / Pulmonary pharmacology; Lung Diseases; Farmacologie; Longen; Longziekten; Therapieën|1094-5539|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +13558|Pulp & Paper-Canada|Materials Science|0316-4004|Monthly| |BUSINESS INFORMATION GROUP +13559|Punishment & Society-International Journal of Penology|Social Sciences, general / Punishment; Corrections; Crime / Punishment; Corrections; Crime|1462-4745|Quarterly| |SAGE PUBLICATIONS LTD +13560|Punjab University Journal of Zoology| |1016-1597|Annual| |UNIV PUNJAB +13561|Pure and Applied Chemistry|Chemistry / Chemistry; Chemie|0033-4545|Monthly| |INT UNION PURE APPLIED CHEMISTRY +13562|Pure and Applied Geophysics|Geosciences /|0033-4553|Bimonthly| |BIRKHAUSER VERLAG AG +13563|Pure and Applied Mathematics Quarterly|Mathematics|1558-8599|Quarterly| |INT PRESS BOSTON +13564|Purinergic Signalling|Molecular Biology & Genetics / Purines; Receptors, Purinergic; Signal Transduction|1573-9538|Quarterly| |SPRINGER +13565|Pyraloid Planet| | |Irregular| |PYRALOID PLANET +13566|Pyrethrum Post| |0048-6043|Irregular| |PYRETHRUM BUREAU +13567|Qatar University Science Journal| |1023-8948|Semiannual| |UNIV QATAR +13568|Qirt Journal|Chemistry /|1768-6733|Semiannual| |LAVOISIER +13569|Qjm-An International Journal of Medicine|Clinical Medicine / Medicine; Clinical Medicine; Médecine|1460-2725|Monthly| |OXFORD UNIV PRESS +13570|Qme-Quantitative Marketing and Economics|Economics & Business / Marketing research|1570-7156|Quarterly| |SPRINGER +13571|Quaderni D Italianistica| |0226-8043|Semiannual| |QUADERNI D ITALIANISTICA +13572|Quaderni Del Museo Civico Di Storia Naturale Di Venezia| |1120-9216|Irregular| |MUSEO CIVICO STORIA NATURALE VENEZIA +13573|Quaderni Del Museo Di Storia Naturale Di Livorno| |0393-3377|Annual| |MUSEO PROVINCIALE STORIA NATURALE +13574|Quaderni Del Museo Di Storia Naturale Di Livorno Serie Atti| |1126-7801|Irregular| |MUSEO PROVINCIALE STORIA NATURALE +13575|Quaderni Del Museo Zoologico-Avellino| | |Irregular| |MZO EDIZIONE +13576|Quaderni Del Padule Di Fucecchio| | | | |CENTRO DI RICERCA DOCUMENTAZIONE E PROMOZIONE DEL PADULE DE FUCECCHIO +13577|Quaderni Della Stazione Di Ecologia Del Civico Museo Di Storia Naturale Diferrara| |0394-5782|Annual| |MUSEO CIVICO STORIA NATURALE FERRARA +13578|Quaderni Di Conservazione Della Natura| |1592-2901|Annual| |IST NAZIONALE PER FAUNA SELVATICA +13579|Quaderni Italiani Di Psichiatria| |0393-0645|Bimonthly| |ELSEVIER MASSON +13580|Quaderni Storici| |0301-6307|Tri-annual| |SOC ED IL MULINO +13581|Quaderni Urbinati Di Cultura Classica| |0033-4987|Tri-annual| |ACCADEMIA EDITORIALE PISA-ROMA +13582|Quaderno Di Studi E Notizie Di Storia Naturale Della Romagna| |1123-6787|Annual| |SOC PER GLI STUDI NATURALISTICI ROMAGNA +13583|Quadrifina| |1028-6764|Annual| |NATURHISTORISCHES MUSEUM-VIENNA +13584|Quaestiones Mathematicae|Mathematics / Mathematics|1607-3606|Quarterly| |NATL INQUIRY SERVICES CENTRE PTY LTD +13585|Qualitative Health Research|Social Sciences, general / Health; Health behavior; Evaluation Studies; Health Services Research; Research Design|1049-7323|Monthly| |SAGE PUBLICATIONS INC +13586|Qualitative Inquiry|Social Sciences, general / Social sciences; Social Services; Sciences sociales|1077-8004|Bimonthly| |SAGE PUBLICATIONS INC +13587|Qualitative Research|Social Sciences, general / Social sciences; Qualitative research|1468-7941|Bimonthly| |SAGE PUBLICATIONS LTD +13588|Qualitative Sociology|Social Sciences, general / Sociology; Sociologie; Methodologie|0162-0436|Quarterly| |SPRINGER +13589|Quality & Quantity|Social Sciences, general / Social sciences; Research; Social Sciences; Methodologie; Sociale wetenschappen; Méthodologie|0033-5177|Quarterly| |SPRINGER +13590|Quality & Safety in Health Care|Clinical Medicine / Medical care; Quality Assurance, Health Care; Safety|1475-3898|Quarterly| |B M J PUBLISHING GROUP +13591|Quality and Reliability Engineering International|Engineering / Reliability (Engineering); Quality control; High technology; Industrie; Techniek; Kwaliteit; Betrouwbaarheid / Reliability (Engineering); Quality control; High technology; Industrie; Techniek; Kwaliteit; Betrouwbaarheid|0748-8017|Bimonthly| |JOHN WILEY & SONS LTD +13592|Quality of Life Research|Clinical Medicine / Quality of life; Rehabilitation; Therapeutics; Quality of Life|0962-9343|Bimonthly| |SPRINGER +13593|Quantitative Finance|Economics & Business / Finance; Business mathematics; Investments; Economics|1469-7688|Bimonthly| |ROUTLEDGE JOURNALS +13594|Quantum Electronics|Physics / Quantum electronics|1063-7818|Monthly| |IOP PUBLISHING LTD +13595|Quantum Information & Computation|Physics|1533-7146|Bimonthly| |RINTON PRESS +13596|Quantum Information Processing|Physics / Quantum computers; Information theory|1570-0755|Bimonthly| |SPRINGER +13597|Quartaer| |0375-7471|Annual| |SDV SAARBRUCKER DRUCKEREI VERLAG GMBH +13598|Quarterly Journal of Economics|Economics & Business / Economics; Economie; Économie politique / Economics; Economie; Économie politique|0033-5533|Quarterly| |M I T PRESS +13599|Quarterly Journal of Engineering Geology and Hydrogeology|Engineering / Engineering geology; Hydrogeology; Géologie appliquée; Hydrogéologie / Engineering geology; Hydrogeology; Géologie appliquée; Hydrogéologie|1470-9236|Quarterly| |GEOLOGICAL SOC PUBL HOUSE +13600|Quarterly Journal of Experimental Physiology| |0370-2901| | |CAMBRIDGE UNIV PRESS +13601|Quarterly Journal of Experimental Physiology and Cognate Medical Sciences| |0033-5541|Bimonthly| |CAMBRIDGE UNIV PRESS +13602|Quarterly Journal of Experimental Psychology|Psychiatry/Psychology|1747-0218|Monthly| |PSYCHOLOGY PRESS +13603|Quarterly Journal of Mathematics|Mathematics / Mathematics|0033-5606|Quarterly| |OXFORD UNIV PRESS +13604|Quarterly Journal of Mechanics and Applied Mathematics|Engineering / Mathematics; Mechanics|0033-5614|Quarterly| |OXFORD UNIV PRESS +13605|Quarterly Journal of Medicine| |0033-5622|Monthly| |OXFORD UNIV PRESS +13606|Quarterly Journal of Microscopical Science| |0370-2952|Quarterly| |COMPANY OF BIOLOGISTS LTD +13607|Quarterly Journal of Nuclear Medicine and Molecular Imaging|Clinical Medicine|1824-4661|Quarterly| |EDIZIONI MINERVA MEDICA +13608|Quarterly Journal of Political Science|Social Sciences, general / Political science|1554-0626|Quarterly| |NOW PUBLISHERS INC +13609|Quarterly Journal of Public Speaking| | |Quarterly| |ROUTLEDGE JOURNALS +13610|Quarterly Journal of Speech|Social Sciences, general / Speech; Public speaking|0033-5630|Quarterly| |ROUTLEDGE JOURNALS +13611|Quarterly Journal of Speech Education| | |Quarterly| |ROUTLEDGE JOURNALS +13612|Quarterly Journal of Studies on Alcohol| |0033-5649|Annual| |RUTGERS CENTER ALCOHOL STUDIES +13613|Quarterly Journal of the Royal Meteorological Society|Geosciences / Meteorology; Meteorologie|0035-9009|Bimonthly| |JOHN WILEY & SONS LTD +13614|Quarterly of Applied Mathematics|Engineering|0033-569X|Quarterly| |UNIV PRESS INC +13615|Quarterly Publications of the American Statistical Association|Statistics|1522-5445|Quarterly| |AMER STATISTICAL ASSOC +13616|Quarterly Review of Biology|Biology & Biochemistry / Biology; Biologie|0033-5770|Quarterly| |UNIV CHICAGO PRESS +13617|Quarterly Reviews of Biophysics|Biology & Biochemistry / Biophysics|0033-5835|Quarterly| |CAMBRIDGE UNIV PRESS +13618|Quaternaire|Geosciences /|1142-2904|Quarterly| |ASSOC FRANCE ETUD QUATERNAIRE +13619|Quaternaria Nova| |1123-2676|Annual| |IST ITALIANO PALEONTOLOGIA UMANA +13620|Quaternary Geochronology|Geosciences / Geochronometry; Geology, Stratigraphic / Geochronometry; Geology, Stratigraphic|1871-1014|Bimonthly| |ELSEVIER SCI LTD +13621|Quaternary International|Geosciences / Geology, Stratigraphic; Quartair|1040-6182|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13622|Quaternary Newsletter| |0143-2826|Tri-annual| |QUATERNARY RESEARCH ASSOC +13623|Quaternary Research|Geosciences / Geology, Stratigraphic; Glacial epoch|0033-5894|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +13624|Quaternary Research Association Technical Guide| |0264-9241|Irregular| |QUATERNARY RESEARCH ASSOC +13625|Quaternary Research-Tokyo| |0418-2642|Bimonthly| |JAPAN ASSOC QUATERNARY RESEARCH +13626|Quaternary Science Reviews|Geosciences / Geology, Stratigraphic|0277-3791|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13627|Quebec Ministere de L Agriculture des Pecheries et de L Alimentation Direction de la Recherche Scientifique et Technique Cahier D Information| |0712-0613|Irregular| |MINISTERE L AGRICULTURE PECHERIES L ALIMENTATION +13628|Quebec Pharmacie| |0826-9874|Monthly| |PUBLICATIONS CODEX INC +13629|Quebracho| |0328-0543|Semiannual| |UNIV NACIONAL SANTIAGO ESTERO +13630|Queens Quarterly| |0033-6041|Quarterly| |QUEENS QUARTERLY +13631|Queensland Naturalist| |0079-8843|Irregular| |QUEENSLAND NATURALISTS CLUB +13632|Quekett Journal of Microscopy| |0969-3823|Semiannual| |QUEKETT MICROSCOPICAL CLUB +13633|Quercus| |0212-0054|Monthly| |QUERCUS +13634|Quest|Social Sciences, general|0033-6297|Tri-annual| |HUMAN KINETICS PUBL INC +13635|Queueing Systems|Engineering / Queuing theory; Files d'attente, Théorie des|0257-0130|Monthly| |SPRINGER +13636|Qufu Shifan Daxue Xuebao-Ziran Kexue Ban| |1001-5337|Quarterly| |CHINA INT BOOK TRADING CORP +13637|Química Nova|Chemistry / Chemistry|0100-4042|Bimonthly| |SOC BRASILEIRA QUIMICA +13638|Quintessence International|Clinical Medicine|0033-6572|Monthly| |QUINTESSENCE PUBLISHING CO INC +13639|Quinzaine Litteraire| |0048-6493|Semimonthly| |QUINZAINE LITTERAIRE +13640|R & D Management|Economics & Business / Research, Industrial / Research, Industrial / Research, Industrial|0033-6807|Quarterly| |WILEY-BLACKWELL PUBLISHING +13641|R&d Magazine| |0746-9179|Bimonthly| |ADVANTAGE BUSINESS MEDIA +13642|Ra-Revista de Arquitectura| |1138-5596|Annual| |UNIV NAVARRA +13643|Race & Class|Social Sciences, general / Race relations; Social classes; Developing Countries; Ethnology; Ethnopsychology; Race Relations; Etnische betrekkingen; Relations raciales / Race relations; Social classes; Developing Countries; Ethnology; Ethnopsychology; Rac|0306-3968|Quarterly| |SAGE PUBLICATIONS LTD +13644|Race Ethnicity and Education|Social Sciences, general / Minorities; Educational equalization; Multicultural education; Race relations; Race awareness; Blacks|1361-3324|Quarterly| |ROUTLEDGE JOURNALS +13645|Radiata| |1615-5475|Quarterly| |AG SCHILDKROETEN DEUT GESELL HERPET TERRARIENKUNDE EV +13646|Radiation and Environmental Biophysics|Biology & Biochemistry / Biophysics; Radiobiology; Environment; Radiation / Biophysics; Radiobiology; Environment; Radiation|0301-634X|Quarterly| |SPRINGER +13647|Radiation Effects and Defects in Solids|Physics / Radiation chemistry; Crystals; Crystal lattices|1042-0150|Monthly| |TAYLOR & FRANCIS LTD +13648|Radiation Measurements|Physics / Nuclear emulsions; Particle tracks (Nuclear physics); Thermoluminescence; Cosmic rays; Radiation; Radioactiviteit; Émulsions nucléaires; Particules (Physique nucléaire); Rayonnement cosmique; Radiométrie|1350-4487|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13649|Radiation Medicine|Clinical Medicine / Radiology, Medical; Neoplasms; Radionuclide Imaging; Radiotherapy|1862-5274|Monthly| |SPRINGER +13650|Radiation Oncology|Clinical Medicine / Cancer; Radiation Oncology|1748-717X|Irregular| |BIOMED CENTRAL LTD +13651|Radiation Physics and Chemistry|Physics / Radiation chemistry; Chimie sous rayonnement|0969-806X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13652|Radiation Protection Dosimetry|Clinical Medicine / Radiation dosimetry; Radiation; Radiation Monitoring; Radiation Protection|0144-8420|Semimonthly| |OXFORD UNIV PRESS +13653|Radiation Research|Biology & Biochemistry / Radioactivity; Radiation; Radiobiology; Radiologie|0033-7587|Monthly| |RADIATION RESEARCH SOC +13654|Radiatsionnaya Biologiya Radioekologiya| |0869-8031|Quarterly| |IZDATELSTVO NAUKA +13655|Radical History Review|Communism; Radicalism; History, Modern|0163-6545|Tri-annual| |DUKE UNIV PRESS +13656|Radical Philosophy| |0300-211X|Bimonthly| |RADICAL PHILOSOPHY +13657|Radio Science|Engineering / Radio meteorology; Radio wave propagation|0048-6604|Bimonthly| |AMER GEOPHYSICAL UNION +13658|Radiocarbon|Geosciences|0033-8222|Tri-annual| |UNIV ARIZONA DEPT GEOSCIENCES +13659|Radiochimica Acta|Chemistry / Radiochemistry|0033-8230|Monthly| |OLDENBOURG VERLAG +13660|Radioengineering|Engineering|1210-2512|Quarterly| |SPOLECNOST PRO RADIOELEKTRONICKE INZENYRSTVI +13661|Radiographics|Clinical Medicine / Diagnosis, Radioscopic; Radiography; Radiology|0271-5333|Bimonthly| |RADIOLOGICAL SOC NORTH AMERICA +13662|RADIOISOTOPES|Nuclear medicine; Radioisotopes in agriculture; Radioisotopes; Radioisotope Teletherapy; Radionuclide Imaging|0033-8303|Monthly| |JAPAN RADIOISOTOPE ASSOC-JRIA +13663|Radiologe|Clinical Medicine / Radiologists; Radiology, Medical; Radiography; Radiology; Radiotherapy|0033-832X|Monthly| |SPRINGER +13664|Radiologia Medica|Clinical Medicine / Radiology; Radiation; Societies|0033-8362|Monthly| |SPRINGER +13665|Radiologic Clinics of North America|Clinical Medicine / Radiography, Medical; Radiotherapy; Radiology; Radiologie|0033-8389|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +13666|Radiology|Clinical Medicine / Radiology, Medical; Radiology; Radiologie médicale|0033-8419|Monthly| |RADIOLOGICAL SOC NORTH AMERICA +13667|Radiology and Oncology|Clinical Medicine / Radiology, Medical; Oncology; Radiotherapy; Neoplasms; Radiography|1318-2099|Quarterly| |ASSOC RADIOLOGY & ONCOLOGY +13668|Radiophysics and Quantum Electronics|Physics / Radio waves; Quantum electronics; Kwantumelektrodynamica / Radio waves; Quantum electronics; Kwantumelektrodynamica|0033-8443|Monthly| |SPRINGER +13669|Radioprotection|Engineering / Radiation Protection|0033-8451|Quarterly| |EDP SCIENCES S A +13670|Radiotherapy and Oncology|Clinical Medicine / Oncology; Radiotherapy; Medical Oncology; Neoplasms; Kanker; Bestralingstherapie|0167-8140|Monthly| |ELSEVIER IRELAND LTD +13671|Radovi Zavoda Za Povijesne Znanosti Hazu U Zadru| |1330-0474|Annual| |HRVATSKA AKAD ZNANOSTI UMJETNOSTI +13672|Rae-Revista de Administracao de Empresas|Economics & Business /|0034-7590|Quarterly| |FUNDACAO GETULIO VARGAS +13673|Raffles Bulletin of Zoology|Plant & Animal Science|0217-2445|Semiannual| |NATL UNIV SINGAPORE +13674|Rairo-Operations Research|Engineering / Operations research|0399-0559|Quarterly| |EDP SCIENCES S A +13675|Rairo-Theoretical Informatics and Applications|Computer Science / Machine theory; Electronic data processing; Informatica; Toepassingen; Informatique|0988-3754|Quarterly| |EDP SCIENCES S A +13676|Raksti Par Dabu| |1407-7477|Quarterly| |RAKSTI PAR DABU +13677|Ramanujan Journal|Mathematics / Mathematics|1382-4090|Quarterly| |SPRINGER +13678|Ramus-Critical Studies in Greek and Roman Literature| |0048-671X|Semiannual| |AUREAL PUBLICATIONS +13679|Rana| |1438-5228|Irregular| |NATUR TEXT VERLAGSGESELLSCHAFT MBH +13680|Rand Journal of Economics|Economics & Business / Public utilities; Industrial organization (Economic theory); Microeconomics; Economie; Services publics; Industrie; ECONOMICS|0741-6261|Quarterly| |WILEY-BLACKWELL PUBLISHING +13681|Random Structures & Algorithms|Mathematics / Random graphs; Mathematical analysis|1042-9832|Bimonthly| |JOHN WILEY & SONS INC +13682|Range Management and Agroforestry|Agricultural Sciences|0971-2070|Semiannual| |RANGE MANAGEMENT SOC INDIA +13683|Rangeland Ecology & Management|Environment/Ecology / Range management; Ranching|1550-7424|Bimonthly| |SOC RANGE MANAGEMENT +13684|Rangeland Journal|Environment/Ecology / Range management; Rangelands|1036-9872|Semiannual| |AUSTRALIAN RANGELAND SOC +13685|Rangelands|Range management|0190-0528|Bimonthly| |SOC RANGE MANAGEMENT +13686|Rangifer| |0333-256X|Semiannual| |NORDIC COUNCIL REINDEER RESEARCH-NOR +13687|Rangifer Report| |0808-2359|Irregular| |NORDIC COUNCIL REINDEER RESEARCH-NOR +13688|Rap Bulletin of Biological Assessment| | |Annual| |CONSERVATION INT +13689|Rapid Communications in Mass Spectrometry|Engineering / Mass spectrometry; Spectrum Analysis, Mass|0951-4198|Semimonthly| |JOHN WILEY & SONS LTD +13690|Rapid Prototyping Journal|Engineering / Rapid prototyping; Systems engineering; Computer simulation|1355-2546|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +13691|Rapport Du Congress de la Ciesm| | |Annual| |COMMISSION INT EXPLORATION SCIENTIFIQUE MER MEDITERRANEE +13692|Rapports et Proces Verbaux des Reunions-Commission Internationale Pour L Exploration Scientifique de la Mer Mediterranee| |0373-434X|Irregular| |COMMISSION INT EXPLORATION SCIENTIFIQUE MER MEDITERRANEE +13693|Raptors Namibia| | |Monthly| |RAPTORS NAMIBIA +13694|Rare Metal Materials and Engineering|Materials Science /|1002-185X|Monthly| |NORTHWEST INST NONFERROUS METAL RESEARCH +13695|Rare Metals|Materials Science / Nonferrous metals|1001-0521|Quarterly| |NONFERROUS METALS SOC CHINA +13696|Raritan-A Quarterly Review| |0275-1607|Quarterly| |RARITAN-A QUARTERLY REVIEW +13697|Rassegna Della Letteratura Italiana| |0033-9423|Semiannual| |CASA EDITRICE G C SANSONI SPA +13698|Rassegna Storica Del Risorgimento| |0033-9873|Quarterly| |IST STOR RISORGIMENTO ITAL +13699|Rastenievdni Nauki| |0568-465X|Monthly| |SCIENTIFIC ISSUES NATL CENTRE AGRARIAN SCIENCES +13700|Rastitelnye Resursy| |0033-9946|Quarterly| |SANKT-PETERBURGSKAYA IZDATEL SKAYA FIRMA RAN +13701|Rat-A-Tattle| | |Irregular| |RISCINSA +13702|Ratel| |0305-1218|Bimonthly| |ASSOC BRIT WILD ANIM KEEPERS +13703|Ratio|Philosophy; Analysis (Philosophy)|0034-0006|Quarterly| |WILEY-BLACKWELL PUBLISHING +13704|Rationality and Society|Social Sciences, general / Social sciences; Reason; Sociale wetenschappen; Speltheorie; Sciences sociales; Raison; Choix de société; Politique publique; Rationalité (Gestion); Théorie du choix rationnel|1043-4631|Quarterly| |SAGE PUBLICATIONS LTD +13705|Ray Society Publications| |0261-2976|Irregular| |RAY SOC +13706|Rbgn-Revista Brasileira de Gestao de Negocios|Economics & Business|1806-4892|Quarterly| |FUND ESCOLA COMERCIO ALVARES PENTEADO-FECAP +13707|Re-Introduction News| |1560-3709|Semiannual| |IUCN-SSC RE-INTRODUCTION SPECIALIST GROUP +13708|Reaction Kinetics Mechanisms and Catalysis|Chemistry /|1878-5190|Bimonthly| |SPRINGER +13709|Reactive & Functional Polymers|Chemistry / Polymers; Chemical reactors; Polymerization|1381-5148|Monthly| |ELSEVIER SCIENCE BV +13710|Reading and Writing|Social Sciences, general / Reading, Psychology of; Writing; Language Disorders; Psycholinguistics; Reading|0922-4777|Monthly| |SPRINGER +13711|Reading Naturalist| |0962-5380|Annual| |READING DISTRICT NATURAL HISTORY SOC +13712|Reading Research Quarterly|Social Sciences, general / Reading; Communicatie|0034-0553|Quarterly| |INT READING ASSOC +13713|Reading Teacher|Social Sciences, general / Reading (Elementary); Reading; Lecture; Apprentissage de la lecture; Enseignement de la lecture; Enseignement primaire|0034-0561|Bimonthly| |INT READING ASSOC +13714|Real Estate Economics|Economics & Business / Real estate business; Urban economics|1080-8620|Quarterly| |WILEY-BLACKWELL PUBLISHING +13715|Real-Time Systems|Computer Science / Real-time data processing|0922-6443|Bimonthly| |SPRINGER +13716|ReCALL|Social Sciences, general / Language and languages|0958-3440|Tri-annual| |CAMBRIDGE UNIV PRESS +13717|Recent Patents on Anti-Cancer Drug Discovery|Pharmacology & Toxicology / Antineoplastic agents; Patents; Antineoplastic Agents; Neoplasms|1574-8928|Tri-annual| |BENTHAM SCIENCE PUBL LTD +13718|Recenti Progressi in Medicina| |0034-1193|Monthly| |PENSIERO SCIENTIFICO EDITOR +13719|Recherches de Théologie et Philosophie Médiévales| |1370-7493|Semiannual| |PEETERS +13720|Recherches Economiques de Louvain-Louvain Economic Review|Economics & Business / Economics; Finance|0770-4518|Quarterly| |DE BOECK UNIVERSITE +13721|Recht & Psychiatrie|Psychiatry/Psychology|0724-2247|Quarterly| |PSYCHIATRIE VERLAG GMBH +13722|Rechtsmedizin|Social Sciences, general / Medical jurisprudence; Forensic sciences; Forensic Medicine; Médecine légale; Gerechtelijke geneeskunde|0937-9819|Bimonthly| |SPRINGER +13723|Records of Natural Products|Pharmacology & Toxicology|1307-6167|Quarterly| |ACG PUBLICATIONS +13724|Records of the Auckland Museum| |1174-9202|Annual| |AUCKLAND MUSEUM +13725|Records of the Australian Museum|Plant & Animal Science / Natural history|0067-1975|Tri-annual| |AUSTRALIAN MUSEUM +13726|Records of the Canterbury Museum| |0370-3878|Irregular| |CANTERBURY MUSEUM +13727|Records of the Queen Victoria Museum| |0085-5278|Irregular| |QUEEN VICTORIA MUSEUM +13728|Records of the Western Australian Museum| |0312-3162|Irregular| |WESTERN AUSTRALIAN MUSEUM +13729|Records of the Zoological Survey of India| |0375-1511|Irregular| |ZOOLOGICAL SURVEY INDIA +13730|Records of the Zoological Survey of India Occasional Paper| |0970-0714|Irregular| |ZOOLOGICAL SURVEY INDIA +13731|Records Zoological Survey of Pakistan| |0375-152X|Irregular| |ZOOLOGICAL SURVEY PAKISTAN +13732|Recueil des Travaux Chimiques des Pays-Bas| | |Monthly| |ELSEVIER SCIENCE BV +13733|Recueil des Travaux Chimiques des Pays-Bas et de la Belgique| |0370-7539| | |ELSEVIER SCIENCE BV +13734|Redai Yixue Zazhi| |1672-3619|Quarterly| |JOURNAL TROPICAL MEDICINE EDITORIAL BOARD +13735|Redia-Giornale Di Zoologia| |0370-4327|Semiannual| |IST SPERIMENTALE PER ZOOLOGIA AGRARIA +13736|Redox Report|Biology & Biochemistry / Free radicals (Chemistry); Oxidation, Physiological; Biology; Free Radicals; Medicine; Oxidation-Reduction; Oxidative Stress; Peroxidases|1351-0002|Bimonthly| |MANEY PUBLISHING +13737|Reef Resources Assessment and Management Technical Paper| |1607-7393|Irregular| |SECRETARIAT PACIFIC COMMUNITY +13738|Reference & User Services Quarterly|Social Sciences, general|1094-9054|Quarterly| |AMER LIBRARY ASSOC +13739|Refractories and Industrial Ceramics|Materials Science / Refractory materials; Ceramics|1083-4877|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +13740|Regenerative Medicine|Clinical Medicine / Regenerative medicine; Stem cells; Embryology; Regenerative Medicine; Stem Cells|1746-0751|Bimonthly| |FUTURE MEDICINE LTD +13741|Regional Anesthesia and Pain Medicine|Clinical Medicine / Conduction anesthesia; Pain medicine; Anesthesia, Conduction; Pain|1098-7339|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +13742|Regional Environmental Change|Environment/Ecology /|1436-3798|Quarterly| |SPRINGER HEIDELBERG +13743|Regional Red List Series| |1751-0031|Irregular| |ZOOLOGICAL SOC LONDON +13744|Regional Science and Urban Economics|Social Sciences, general / Regional planning; Urban economics; Economics|0166-0462|Bimonthly| |ELSEVIER SCIENCE BV +13745|Regional Studies|Social Sciences, general / Regional planning; Regionale geografie; REGIONAL PLANNING; REGIONAL DEVELOPMENT|0034-3404|Monthly| |ROUTLEDGE JOURNALS +13746|Regular & Chaotic Dynamics|Engineering / Nonlinear oscillations; Stochastic processes; Hamiltonian systems|1560-3547|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +13747|Regulation & Governance|Social Sciences, general /|1748-5983|Quarterly| |WILEY-BLACKWELL PUBLISHING +13748|Regulatory Peptides|Biology & Biochemistry / Peptides|0167-0115|Monthly| |ELSEVIER SCIENCE BV +13749|Regulatory Toxicology and Pharmacology|Pharmacology & Toxicology / Toxicology; Toxicology, Experimental; Pharmacology, Experimental; Toxicity testing; Poisons; Chemicals; Pharmacology|0273-2300|Monthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +13750|Rehabilitation|Social Sciences, general / Rehabilitation|0034-3536|Bimonthly| |GEORG THIEME VERLAG KG +13751|Rehabilitation Counseling Bulletin|Social Sciences, general /|0034-3552|Quarterly| |SAGE PUBLICATIONS INC +13752|Rehabilitation Nursing|Social Sciences, general|0278-4807|Bimonthly| |ASSOC REHABILITATION NURSES +13753|Rehabilitation Psychology|Social Sciences, general / Rehabilitation; Adaptation, Psychological; Disabled Persons; Psychology|0090-5550|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +13754|Reichenbachia| |0070-7279|Irregular| |STAATLICHES MUSEUM TIERKUNDE DRESDEN +13755|Reintro Redeux| | |Semiannual| |IUCN-SSC RE-INTRODUCTION SPECIALIST GROUP +13756|Reinwardtia| |0034-365X|Irregular| |HERBARIUM BOGORIENSE +13757|Rejuvenation Research|Clinical Medicine / Aging; Rejuvenation; Longevity|1549-1684|Bimonthly| |MARY ANN LIEBERT INC +13758|Relations Industrielles-Industrial Relations|Economics & Business|0034-379X|Quarterly| |REVUE RELATIONS INDUSTRIELLES INDUSTRIAL RELATIONS +13759|Relatorios Tecnicos Do Instituto Oceanografico| |1413-7747|Irregular| |UNIV SAO PAULO +13760|Relevamientos de Biodiversidad| |1510-0804|Irregular| |VIDA SILVESTRE URUGUAY +13761|Reliability Engineering & System Safety|Engineering / Reliability (Engineering); System safety; Industrial safety / Reliability (Engineering); System safety; Industrial safety|0951-8320|Monthly| |ELSEVIER SCI LTD +13762|Religion|Religion; Religions; Theology|0048-721X|Quarterly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +13763|Religion & Literature| |0888-3769|Tri-annual| |UNIV NOTRE DAME +13764|Religion and American Culture-A Journal of Interpretation|Religion and culture|1052-1151|Semiannual| |UNIV CALIFORNIA PRESS +13765|Religious Education|Christian education; Éducation religieuse|0034-4087|Quarterly| |TAYLOR & FRANCIS INC +13766|Religious Humanism| |0034-4095|Semiannual| |HUUMANISTS ASSOC +13767|Religious Studies|Religion; Theology; Godsdienst; Théologie|0034-4125|Quarterly| |CAMBRIDGE UNIV PRESS +13768|Religious Studies Review|Religion|0319-485X|Quarterly| |JOHN WILEY & SONS INC +13769|Rem-Revista Escola de Minas|Engineering / Mineral industries|0370-4467|Quarterly| |ESCOLA DE MINAS +13770|Remedial and Special Education|Social Sciences, general / Special education; Learning disabilities; Education, Special; Remedial Teaching; Remedial teaching; Speciaal onderwijs; Éducation spéciale; Enfants handicapés mentaux|0741-9325|Bimonthly| |SAGE PUBLICATIONS INC +13771|Remote Sensing of Environment|Geosciences / Earth sciences|0034-4257|Monthly| |ELSEVIER SCIENCE INC +13772|Renaissance and Reformation| |0034-429X|Quarterly| |RENAISSANCE AND REFORMATION +13773|Renaissance Quarterly|Renaissance|0034-4338|Quarterly| |UNIV CHICAGO PRESS +13774|Renal Failure|Clinical Medicine / Acute renal failure; Uremia; Kidney Failure, Acute|0886-022X|Bimonthly| |TAYLOR & FRANCIS INC +13775|Renascence-Essays on Values in Literature| |0034-4346|Quarterly| |MARQUETTE UNIV PRESS +13776|Rencontres Autour des Recherches Sur Les Ruminants| |1279-6530|Annual| |INST ELEVAGE +13777|Rendiconti Del Seminario Della Facolta Di Scienze Dell Universita Di Cagliari| |0370-727X|Semiannual| |UNIV DEGLI STUDI CAGLIARI +13778|Rendiconti Del Seminario Matematico Della Universita Di Padova|Mathematics|0041-8994|Semiannual| |C E D A M SPA CASA EDITR DOTT ANTONIO MILANI +13779|Rendiconti Lincei-Matematica E Applicazioni|Mathematics /|1120-6330|Quarterly| |EUROPEAN MATHEMATICAL SOC +13780|Rendiconti Lincei-Scienze Fisiche E Naturali|Microbiology|2037-4631|Quarterly| |SPRINGER +13781|Renewable & Sustainable Energy Reviews|Environment/Ecology / Renewable energy sources; Power resources|1364-0321|Quarterly| |PERGAMON-ELSEVIER SCIENCE LTD +13782|Renewable Agriculture and Food Systems|Agricultural Sciences / Organic farming; Agricultural conservation; Agricultural systems|1742-1705|Quarterly| |CAMBRIDGE UNIV PRESS +13783|Renewable Energy|Engineering / Renewable energy sources; Power resources|0960-1481|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +13784|Report of Hokkaido Prefectural Agricultural Experiment Stations| |0367-6048|Tri-annual| |HOKKAIDO CENTRAL AGRICULTURAL EXPERIMENT STATION +13785|Report of National Food Research Institute| |0301-9780|Annual| |NATL FOOD RESEARCH INST +13786|Report of Noto Marine Center| |1341-3163|Irregular| |NOTO MARINE CTR +13787|Report of the Obihiro Centennial City Museum| |0289-8179|Annual| |OBIHIRO CENTENNIAL CITY MUSEUM +13788|Report of the Taiwan Sugar Research Institute| |0257-5493|Quarterly| |TAIWAN SUGAR RESEARCH INST +13789|Report of the Yamagata Prefectural Institute of Public Health| |0513-4706|Annual| |YAMAGATA PREFECTURAL INST PUBLIC HEALTH +13790|Reports from the Kevo Subarctic Research Station| |0453-7831|Irregular| |KEVO SUBARCTIC RESEARCH INST +13791|Reports of the Faculty of Science Shizuoka University| |0583-0923|Annual| |SHIZUOKA UNIV +13792|Reports of the Museum of Natural History University of Wisconsin-Stevens Point| | |Irregular| |MUSEUM NATURAL HISTORY-USA +13793|Reports of the National Center for Science Education| |1064-2358|Bimonthly| |NATL CTR SCIENCE EDUCATION +13794|Reports of the Tottori Mycological Institute| |0388-8266|Annual| |TOTTORI MYCOLOGICAL INST +13795|Reports on Mathematical Physics|Mathematics / Mathematical physics|0034-4877|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13796|Reports on Progress in Physics|Physics / Physics|0034-4885|Monthly| |IOP PUBLISHING LTD +13797|Representations|Arts; Literature; History; Critical theory; Poststructuralism; Littérature|0734-6018|Quarterly| |UNIV CALIFORNIA PRESS +13798|Reproduction|Biology & Biochemistry / Fertility; Reproduction; Voortplanting (biologie); Vruchtbaarheid; Fécondité|1470-1626|Monthly| |BIOSCIENTIFICA LTD +13799|Reproduction Fertility and Development|Plant & Animal Science / Reproduction; Developmental biology; Fertility; Embryo and Fetal Development|1031-3613|Bimonthly| |CSIRO PUBLISHING +13800|Reproduction in Domestic Animals|Plant & Animal Science / Animal breeding; Veterinary pathology; Livestock; Animals, Domestic; Breeding; Reproduction|0936-6768|Bimonthly| |WILEY-BLACKWELL PUBLISHING +13801|Reproductive Biology|Clinical Medicine|1642-431X|Tri-annual| |INST ANIMAL REPRODUCTION FOOD RESEARCH +13802|Reproductive Biology and Endocrinology|Biology & Biochemistry / Reproduction; Generative organs; Endocrine glands; Embryology; Endocrine System; Endocrine Diseases|1477-7827|Irregular| |BIOMED CENTRAL LTD +13803|Reproductive BioMedicine Online|Clinical Medicine /|1472-6483|Monthly| |REPRODUCTIVE HEALTHCARE LTD +13804|Reproductive Health Matters|Clinical Medicine / Gynecology; Obstetrics; Women's health services; Women; Human reproduction; Reproduction; Women's Health; Women's Rights; Voortplantingstechnieken; Medische techniek|0968-8080|Semiannual| |ELSEVIER SCIENCE BV +13805|Reproductive Medicine and Biology|Reproduction; Reproductive health; Reproductive Medicine; Biology; Reproductive Techniques|1445-5781|Quarterly| |SPRINGER TOKYO +13806|Reproductive Sciences|Clinical Medicine / Reproductive health; Santé de la reproduction|1933-7191|Monthly| |SAGE PUBLICATIONS INC +13807|Reproductive Toxicology|Clinical Medicine / Reproductive toxicology; Environmental Pollutants; Reproduction; Toxicology|0890-6238|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13808|Reptile Rap| | |Semiannual| |ZOO OUTREACH ORGANISATION +13809|Reptilia-D| |1431-8997|Bimonthly| |NATUR TIER - VERLAG +13810|Reptilia-Gb| |1138-4913|Bimonthly| |REPTILIA +13811|Requirements Engineering|Engineering /|0947-3602|Quarterly| |SPRINGER +13812|Research and Practice for Persons with Severe Disabilities|Social Sciences, general / Children with mental disabilities / Children with mental disabilities|0274-9483|Quarterly| |TASH +13813|Research and Practice in Forensic Medicine| |0289-0755|Annual| |HOIGAKU DANWAKAI +13814|Research and Reviews in Parasitology| |1133-8466|Semiannual| |ASOC PARASIT ESP +13815|Research Bulletin of Kanto Gakuen University Liberal Arts| | |Irregular| |KANTO GAKUEN UNIV +13816|Research Bulletin of Obihiro University Natural Science| |0919-3359|Irregular| |OBIHIRO UNIV AGRICULTURE & VETERINARY MEDICINE +13817|Research Bulletin of the Aichi-Ken Agricultural Research Center| |0388-7995|Annual| |AICHI-KEN AGRICULTURAL RESEARCH CTR +13818|Research Bulletin of the Plant Protection Service Japan| |0387-0707|Annual| |YOKOHAMA PLANT PROTECTION STATION +13819|Research Communications in Alcohol and Substances of Abuse| |1080-8388|Quarterly| |P J D PUBLICATIONS LTD +13820|Research Communications in Biochemistry and Cell & Molecular Biology| |1087-111X|Irregular| |PJD PUBLICATIONS +13821|Research Communications in Biological Psychology Psychiatry and Neurosciences| |1087-0695| | |PJD PUBLICATIONS +13822|Research Communications in Molecular Pathology and Pharmacology|Clinical Medicine|1078-0297|Monthly| |P J D PUBLICATIONS LTD +13823|Research Communications in Pharmacology and Toxicology-Including Molecularand Clinical Studies| |1087-1101|Irregular| |PJD PUBLICATIONS +13824|Research Evaluation|Social Sciences, general / Research|0958-2029|Quarterly| |BEECH TREE PUBLISHING +13825|Research in African Literatures|African literature; African poetry; African fiction; Postcolonialism; Letterkunde; Littérature africaine|0034-5210|Quarterly| |INDIANA UNIV PRESS +13826|Research in Astronomy and Astrophysics|Space Science /|1674-4527|Bimonthly| |NATL ASTRONOMICAL OBSERVATORIES +13827|Research in Autism Spectrum Disorders|Clinical Medicine / Autistic Disorder|1750-9467|Quarterly| |ELSEVIER SCI LTD +13828|Research in Dance Education|Dance|1464-7893|Tri-annual| |ROUTLEDGE JOURNALS +13829|Research in Developmental Disabilities|Social Sciences, general / Developmentally disabled; Developmentally disabled children; Developmental disabilities; Developmental Disabilities; Disabled Persons; Mental Retardation|0891-4222|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +13830|Research in Engineering Design|Engineering / Engineering design; Conception technique|0934-9839|Quarterly| |SPRINGER HEIDELBERG +13831|Research in Higher Education|Social Sciences, general / Education, Higher; Hoger onderwijs; Enseignement supérieur|0361-0365|Bimonthly| |SPRINGER +13832|Research in Human Development|Developmental psychology; Human Development|1542-7609|Quarterly| |ROUTLEDGE JOURNALS +13833|Research in Microbiology|Microbiology / Microbiology; Microbiologie|0923-2508|Monthly| |ELSEVIER SCIENCE BV +13834|Research in Nondestructive Evaluation|Materials Science / Nondestructive testing; Contrôle non destructif; Materiaalonderzoek; Niet-destructieve methoden|0934-9847|Quarterly| |TAYLOR & FRANCIS INC +13835|Research in Nursing & Health|Social Sciences, general / Nursing; Health; Nursing Care; Research|0160-6891|Bimonthly| |JOHN WILEY & SONS INC +13836|Research in Organizational Behavior|Social Sciences, general / Organization; Organizational behavior; Organisation; Comportement organisationnel; Organisatiegedrag|0191-3085|Annual| |ELSEVIER +13837|Research in Phenomenology|Phenomenology; Phénoménologie|0085-5553|Tri-annual| |HUMANITIES PRESS INC +13838|Research in Science Education|Social Sciences, general / Science; Exacte wetenschappen; Didactiek / Science; Exacte wetenschappen; Didactiek / Science; Exacte wetenschappen; Didactiek|0157-244X|Quarterly| |SPRINGER +13839|Research in Social & Administrative Pharmacy|Social Sciences, general / Pharmacy management; Pharmaceutical services; Pharmacy; Pharmacy Administration; Community Pharmacy Services|1551-7411|Quarterly| |ELSEVIER SCIENCE INC +13840|Research in Sports Medicine|Clinical Medicine / Sports medicine; Athletic Injuries; Exercise; Sports Medicine / Sports medicine; Athletic Injuries; Exercise; Sports Medicine|1543-8627|Quarterly| |ROUTLEDGE JOURNALS +13841|Research in the Teaching of English|Social Sciences, general|0034-527X|Quarterly| |NATL COUNCIL TEACHERS ENGLISH +13842|Research in Veterinary Science|Plant & Animal Science / Veterinary medicine; Veterinary Medicine; Diergeneeskunde; Médecine vétérinaire|0034-5288|Bimonthly| |ELSEVIER SCI LTD +13843|Research Journal of Biological Sciences| |1815-8846|Bimonthly| |MEDWELL ONLINE +13844|Research Journal of Biotechnology|Biology & Biochemistry|0973-6263|Quarterly| |RESEARCH JOURNAL BIOTECHNOLOGY +13845|Research Journal of Chemistry and Environment|Chemistry|0972-0626|Quarterly| |DR JYOTI GARG +13846|Research Journal of Environmental Sciences| |1819-3412| | |ACADEMIC JOURNALS INC +13847|Research Journal of Environmental Toxicology| |1819-3420|Irregular| |ACADEMIC JOURNALS INC +13848|Research Journal of Fisheries and Hydrobiology| |1816-9112| | |INSINET PUBL +13849|Research Journal of Parasitology| |1816-4943|Quarterly| |ACADEMIC JOURNALS INC +13850|Research Journal of Soil Biology| |1819-3498|Irregular| |ACADEMIC JOURNALS INC +13851|Research on Aging|Social Sciences, general / Gerontology; Geriatrics|0164-0275|Bimonthly| |SAGE PUBLICATIONS INC +13852|Research on Chemical Intermediates|Chemistry / Chemical reaction, Conditions and laws of; Chemical reactions|0922-6168|Monthly| |SPRINGER +13853|Research on Crops|Agricultural Sciences|0972-3226|Tri-annual| |GAURAV SOC AGRICULTURAL RESEARCH INFORMATION CENTRE-ARIC +13854|Research on Language and Social Interaction|Social Sciences, general / Linguistics; Sociolinguistics; Communication; Communications|0835-1813|Quarterly| |ROUTLEDGE JOURNALS +13855|Research on Social Work Practice|Social Sciences, general / Social Work; Social service; Service social|1049-7315|Bimonthly| |SAGE PUBLICATIONS INC +13856|Research Policy|Economics & Business / Research; Research, Industrial|0048-7333|Monthly| |ELSEVIER SCIENCE BV +13857|Research Publications-Association for Research in Nervous and Mental Disease| |0091-7443|Irregular| |LIPPINCOTT WILLIAMS & WILKINS +13858|Research Quarterly| |0270-1367|Quarterly| |AMER ALLIANCE HEALTH PHYS EDUC REC & DANCE +13859|Research Quarterly for Exercise and Sport|Psychiatry/Psychology|0270-1367|Quarterly| |AMER ALLIANCE HEALTH PHYS EDUC REC & DANCE +13860|Research Report from the National Institute for Environmental Studies Japan| |1341-3643|Irregular| |NATL INST ENVIRONMENTAL STUDIES +13861|Research-Technology Management|Economics & Business|0895-6308|Bimonthly| |INDUSTRIAL RESEARCH INST +13862|Resenas Malacologicas| |1576-933X| | |SOC ESPANOLA MALACOLOGIA +13863|Resource and Energy Economics|Economics & Business / Power resources|0928-7655|Quarterly| |ELSEVIER SCIENCE BV +13864|Resource and Environmental Biotechnology| |1358-2283|Semiannual| |A B ACADEMIC PUBL +13865|Resource Geology|Geosciences / Mining geology; Geochemistry; Environmental geology|1344-1698|Quarterly| |WILEY-BLACKWELL PUBLISHING +13866|Resources and Environment in the Yangtze Basin| |1004-8227|Bimonthly| |SCIENCE PRESS +13867|Resources Conservation and Recycling|Environment/Ecology / Recycling (Waste, etc.); Conservation of natural resources; Natural resources|0921-3449|Monthly| |ELSEVIER SCIENCE BV +13868|Resources Environment & Engineering| | |Quarterly| |RESOURCES ENVIRONMENT & ENGINEERING +13869|Resources for American Literary Study| |0048-7384|Semiannual| |A M S PRESS INC +13870|Resources Policy|Social Sciences, general / Mines and mineral resources|0301-4207|Quarterly| |ELSEVIER SCI LTD +13871|Respiration|Clinical Medicine / Respiration; Respiratory organs; Thoracic Diseases; Ademhalingsstoornissen; Ademhaling|0025-7931|Bimonthly| |KARGER +13872|Respiratory Care|Clinical Medicine /|0020-1324|Monthly| |DAEDALUS ENTERPRISES INC +13873|Respiratory Medicine|Clinical Medicine / Respiratory organs; Chest; Respiratory Tract Diseases|0954-6111|Monthly| |W B SAUNDERS CO LTD +13874|Respiratory Physiology & Neurobiology|Clinical Medicine / Respiration; Neurobiology; Neurobiologie; Respiratory Physiology|1569-9048|Monthly| |ELSEVIER SCIENCE BV +13875|Respiratory Research|Clinical Medicine / Respiratory organs; Respiratory Physiology; Respiration; Respiratory System; Respiratory Tract Diseases|1465-9921|Bimonthly| |BIOMED CENTRAL LTD +13876|Respirology|Clinical Medicine / Respiratory System; Respiratory Tract Diseases|1323-7799|Bimonthly| |WILEY-BLACKWELL PUBLISHING +13877|Restaurator-International Journal for the Preservation of Library and Archival Material|Social Sciences, general / Books; Manuscripts; Engraving; Bookbinding|0034-5806|Quarterly| |K G SAUR VERLAG KG +13878|Restoration Ecology|Environment/Ecology / Restoration ecology; Ecologie; Natuurbehoud; Herstel; Ecosystemen; Réhabilitation (Écologie)|1061-2971|Quarterly| |WILEY-BLACKWELL PUBLISHING +13879|Restorative Neurology and Neuroscience|Neuroscience & Behavior|0922-6028|Bimonthly| |IOS PRESS +13880|Results in Mathematics|Mathematics / Mathematics|1422-6383|Bimonthly| |BIRKHAUSER VERLAG AG +13881|Resuscitation|Clinical Medicine / Resuscitation; Reanimatie; Réanimation|0300-9572|Monthly| |ELSEVIER IRELAND LTD +13882|Rethinking History|Historiography; History|1364-2529|Quarterly| |ROUTLEDGE JOURNALS +13883|Retina-The Journal of Retinal and Vitreous Diseases|Clinical Medicine / Retina; Retinal Diseases; Vitreous Body|0275-004X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +13884|Retrovirology|Microbiology / Retroviruses; Retroviridae; Retroviridae Infections|1742-4690|Monthly| |BIOMED CENTRAL LTD +13885|Reumatologia| |0034-6233|Quarterly| |INST REUMATOLOGICZNY +13886|Review of Accounting Studies|Economics & Business / Accounting|1380-6653|Quarterly| |SPRINGER +13887|Review of Central and East European Law|Social Sciences, general / Law|0925-9880|Quarterly| |MARTINUS NIJHOFF PUBL +13888|Review of Development Economics|Economics & Business / Development economics|1363-6669|Quarterly| |WILEY-BLACKWELL PUBLISHING +13889|Review of Diabetic Studies|Diabetes; Non-insulin-dependent diabetes; Diabetes Mellitus, Type 1; Diabetes Mellitus, Type 2|1613-6071|Quarterly| |SOC BIOMEDICAL DIABETES RESEARCH +13890|Review of Economic Dynamics|Economics & Business / Economics|1094-2025|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +13891|Review of Economic Statistics| |1553-0027|Quarterly| |MIT PRESS +13892|Review of Economic Studies|Economics & Business / Economics; Economie; Économie politique / Economics; Economie; Économie politique|0034-6527|Quarterly| |WILEY-BLACKWELL PUBLISHING +13893|Review of Economics and Statistics|Economics & Business / Statistics; Economics; Economie; Statistiek / Statistics; Economics; Economie; Statistiek|0034-6535|Quarterly| |M I T PRESS +13894|Review of Educational Research|Social Sciences, general / Education; Onderwijsresearch; Éducation; Recherche en éducation; Sciences de l'éducation|0034-6543|Quarterly| |SAGE PUBLICATIONS INC +13895|Review of English Studies|English literature; Littérature anglaise|0034-6551|Quarterly| |OXFORD UNIV PRESS +13896|Review of Environmental Economics and Policy|Economics & Business / Environmental economics; Environmental policy|1750-6816|Semiannual| |OXFORD UNIV PRESS +13897|Review of Faith & International Affairs| |1557-0274|Quarterly| |COUNCIL FAITH & INT AFFAIRS +13898|Review of Finance|Economics & Business / Finance; Financiën|1572-3097|Quarterly| |OXFORD UNIV PRESS +13899|Review of Financial Studies|Economics & Business / Finance; Finances|0893-9454|Quarterly| |OXFORD UNIV PRESS INC +13900|Review of General Psychology|Psychiatry/Psychology / Psychology; Psychologie|1089-2680|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +13901|Review of Higher Education|Social Sciences, general|0162-5748|Quarterly| |JOHNS HOPKINS UNIV PRESS +13902|Review of Income and Wealth|Economics & Business / National income; Inkomensverdeling; NATIONAL INCOME; WEALTH|0034-6586|Quarterly| |WILEY-BLACKWELL PUBLISHING +13903|Review of Industrial Organization|Economics & Business / Industrial organization (Economic theory)|0889-938X|Bimonthly| |SPRINGER +13904|Review of International Political Economy|Economics & Business / International economic relations; International finance; International relations; Internationale economie; Relations économiques internationales; Finances internationales; Relations internationales; Économie politique et politique|0969-2290|Bimonthly| |ROUTLEDGE JOURNALS +13905|Review of International Studies|Social Sciences, general / International relations; International law; Relations internationales; Droit international|0260-2105|Quarterly| |CAMBRIDGE UNIV PRESS +13906|Review of Metaphysics| |0034-6632|Quarterly| |CATHOLIC UNIV AMER PRESS +13907|Review of Network Economics|Economics & Business /|1446-9022|Quarterly| |CONCEPT ECONOMICS +13908|Review of Palaeobotany and Palynology|Plant & Animal Science / Paleobotany; Palynology|0034-6667|Monthly| |ELSEVIER SCIENCE BV +13909|Review of Public Personnel Administration|Social Sciences, general / Civil service|0734-371X|Quarterly| |SAGE PUBLICATIONS INC +13910|Review of Religious Research|Social Sciences, general / Religion; Religion and sociology; Research; Godsdienst|0034-673X|Quarterly| |RELIGIOUS RESEARCH ASSOC INC +13911|Review of Research in Education|Social Sciences, general / Education; Onderwijsresearch; Éducation|0091-732X|Annual| |SAGE PUBLICATIONS INC +13912|Review of Scientific Instruments|Engineering / Scientific apparatus and instruments; Equipment and Supplies|0034-6748|Monthly| |AMER INST PHYSICS +13913|Review of Symbolic Logic|Mathematics / Logic, Symbolic and mathematical|1755-0203|Quarterly| |CAMBRIDGE UNIV PRESS +13914|Review of World Economics|Economics & Business / International economic relations; Internationale economie|1610-2878|Quarterly| |SPRINGER +13915|Review-Literature and Arts of the Americas|Arts, Latin American; Latin American literature; Arts latino-américains; Littérature latino-américaine; ARTES|0890-5762|Semiannual| |ROUTLEDGE JOURNALS +13916|Reviews in American History|History; Review Literature|0048-7511|Quarterly| |JOHNS HOPKINS UNIV PRESS +13917|Reviews in Analgesia|Analgesia; Analgesics; Pain|1542-961X|Semiannual| |COGNIZANT COMMUNICATION CORP +13918|Reviews in Analytical Chemistry|Chemistry|0793-0135|Quarterly| |FREUND PUBLISHING HOUSE LTD +13919|Reviews in Cardiovascular Medicine|Clinical Medicine|1530-6550|Quarterly| |MEDREVIEWS +13920|Reviews in Chemical Engineering|Chemistry|0167-8299|Bimonthly| |FREUND PUBLISHING HOUSE LTD +13921|Reviews in Computational Chemistry|Chemistry|1069-3599|Irregular| |WILEY-VCH +13922|Reviews in Endocrine & Metabolic Disorders|Clinical Medicine / Endocrine glands; Metabolism; Endocrine Diseases; Metabolic Diseases; Endocrinologie; Stofwisseling|1389-9155|Quarterly| |SPRINGER +13923|Reviews in Environmental Science and Bio-Technology| |1569-1705|Quarterly| |SPRINGER +13924|Reviews in Fish Biology and Fisheries|Plant & Animal Science / Fishes; Fisheries|0960-3166|Quarterly| |SPRINGER +13925|Reviews in Fisheries Science|Plant & Animal Science / Fisheries|1064-1262|Quarterly| |TAYLOR & FRANCIS INC +13926|Reviews in Gastroenterological Disorders|Clinical Medicine|1533-001X|Quarterly| |MEDREVIEWS +13927|Reviews in Inorganic Chemistry|Chemistry|0193-4929|Quarterly| |FREUND PUBLISHING HOUSE LTD +13928|Reviews in Mathematical Physics|Physics / Mathematical physics / Mathematical physics|0129-055X|Monthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +13929|Reviews in Medical Microbiology|Clinical Medicine|0954-139X|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +13930|Reviews in Medical Virology|Microbiology / Medical virology; Review Literature; Virus Diseases; Viruses; Virologie|1052-9276|Quarterly| |JOHN WILEY & SONS LTD +13931|Reviews in Mineralogy| |0275-0279|Semiannual| |MINERALOGICAL SOC AMER +13932|Reviews in Mineralogy| |0275-0279|Semiannual| |MINERALOGICAL SOC AMER +13933|Reviews in Mineralogy & Geochemistry|Geosciences / Mineralogy; Geochemistry; Mineralogie; Geochemie; Minéralogie; Géochimie|1529-6466|Irregular| |MINERALOGICAL SOC AMER +13934|Reviews in the Neurosciences|Neuroscience & Behavior|0334-1763|Tri-annual| |FREUND & PETTMAN PUBLISHERS +13935|Reviews of Environmental Contamination and Toxicology|Chemistry|0179-5953|Quarterly| |SPRINGER +13936|Reviews of Environmental Contamination and Toxicology| |0179-5953|Quarterly| |SPRINGER +13937|Reviews of Geophysics|Geosciences / Geophysics; Cosmic physics; Geofysica|8755-1209|Quarterly| |AMER GEOPHYSICAL UNION +13938|Reviews of Modern Physics|Physics / Physics / Physics|0034-6861|Quarterly| |AMER PHYSICAL SOC +13939|Reviews of Physiology Biochemistry and Pharmacology|Biology & Biochemistry / Physiology; Biochemistry; Pharmacology / Physiology; Biochemistry; Pharmacology / Physiology; Biochemistry; Pharmacology / Physiology; Biochemistry; Pharmacology / Physiology; Biochemistry; Pharmacology|0303-4240|Annual| |SPRINGER-VERLAG BERLIN +13940|Reviews on Advanced Materials Science|Materials Science|1606-5131|Bimonthly| |INST PROBLEMS MECHANICAL ENGINEERING-RUSSIAN ACAD SCIENCES +13941|Reviews on Environmental Health| |0048-7554|Quarterly| |FREUND PUBLISHING HOUSE LTD +13942|Revija Za Kriminalistiko in Kriminologijo|Social Sciences, general|0034-690X|Quarterly| |MINISTRY INTERIOR REPUBLIC SLOVENIA +13943|Revija za socijalnu politiku|Social Sciences, general /|1330-2965|Tri-annual| |SVEUCLISTE ZAGREBU +13944|Revista 180| |0718-2309|Semiannual| |UNIV DIEGO PORTALES +13945|Revista Argentina de Clinica Psicologica|Psychiatry/Psychology|0327-6716|Tri-annual| |FUNDACION AIGLE +13946|Revista Argentina de Microbiologia|Microbiology|0325-7541|Quarterly| |ASOCIACION ARGENTINA MICROBIOLOGIA +13947|Revista Árvore|Plant & Animal Science / Forests and forestry|0100-6762|Bimonthly| |UNIV FEDERAL VICOSA +13948|Revista Biociencias| |1415-7411|Semiannual| |UNIV TAUBATE +13949|Revista Boliviana de Ecologia Y Conservacion Ambiental| |1997-1192|Semiannual| |CENTRO ECOLOGIA SIMON I PATINO +13950|Revista Brasileira de Armazenamento| |0100-3518|Semiannual| |UNIV FEDERAL VICOSA +13951|Revista Brasileira de Botânica|Botany|0100-8404|Quarterly| |SOC BOTANICA SAO PAULO +13952|Revista Brasileira de Ciência do Solo|Environment/Ecology / Soil science; Soils|0100-0683|Bimonthly| |SOC BRASILEIRA DE CIENCIA DO SOLO +13953|Revista Brasileira de Ciencia Veterinaria| |1413-0130|Tri-annual| |UNIV FEDERAL FLUMINENSE +13954|Revista Brasileira de Cirurgia Cardiovascular|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases; Cardiovascular Surgical Procedures|0102-7638|Quarterly| |SOC BRASIL CIRURGIA CARDIOVASC +13955|Revista Brasileira de Ensino de Física|Physics /|1806-1117|Quarterly| |SOC BRASILEIRA FISICA +13956|Revista Brasileira de Entomologia|Plant & Animal Science / Insects|0085-5626|Quarterly| |SOC BRASILEIRA ENTOMOLOGIA +13957|Revista Brasileira de Farmacognosia-Brazilian Journal of Pharmacognosy|Pharmacology & Toxicology /|0102-695X|Quarterly| |SOC BRASILEIRA FARMACOGNOSIA +13958|Revista Brasileira de Fisioterapia|Clinical Medicine /|1413-3555|Bimonthly| |ASSOCIACAO BRASILEIRA PESQUISA POS-GRADUACAO FISIOTERAPIA-ABRAPG-FT +13959|Revista Brasileira de Fruticultura|Plant & Animal Science / Fruit-culture|0100-2945|Quarterly| |SOC BRASILEIRA FRUTICULTURA +13960|Revista Brasileira de Geociencias| |0375-7536|Irregular| |SOC BRASILEIRA GEOLOGIA +13961|Revista Brasileira de História|History|1806-9347|Semiannual| |ASSOC NAC HISTORIA-ANPUH +13962|Revista Brasileira de Medicina do Esporte|Clinical Medicine / Exercise; Athletic Injuries; Sports; Sports Medicine|1517-8692|Bimonthly| |SOC BRASILEIRA MED ESPORTE +13963|Revista Brasileira de Medicina Veterinaria|Plant & Animal Science|0100-2430|Quarterly| |SOC MEDICINA VETERINARIA ESTADO RIO DE JANEIRO +13964|Revista Brasileira de Oceanografia| |1413-7739|Semiannual| |INST OCEANOGRAFICO +13965|Revista Brasileira de Oftalmologia|Clinical Medicine /|0034-7280|Bimonthly| |SOC BRASILEIRA OFTALMOLOGIA +13966|Revista Brasileira de Ornitologia|Plant & Animal Science|0103-5657|Quarterly| |SOC BRASILEIRA ORNITOLOGIA +13967|Revista Brasileira de Paleontologia|Geosciences / Paleontology|1519-7530|Tri-annual| |SOC BRASILEIRA PALEONTOLOGIA +13968|Revista Brasileira de Parasitologia Veterinária|Plant & Animal Science /|0103-846X|Semiannual| |BRAZILIAN COLL VETERINARY PARASITOLOGY +13969|Revista Brasileira de Plantas Medicinais| |1516-0572|Semiannual| |FUNDACAO INST BIOCIENCIAS-FUNDIBIO +13970|Revista Brasileira de Política Internacional|Social Sciences, general /|0034-7329|Semiannual| |INST BRASILEIRO RELACOES INT +13971|Revista Brasileira de Psiquiatria|Psychiatry/Psychology / Psychology; Mental Disorders; Psychiatry|1516-4446|Bimonthly| |ASSOC BRASILEIRA PSIQUIATRIA +13972|Revista Brasileira de Reproducao Animal| |0102-0803|Quarterly| |COLEGIO BRASILEIRO REPRODUCAO ANIMAL-CBRA +13973|Revista Brasileira de Zoociencias| |1517-6770|Semiannual| |UNIV FEDERAL JUIZ FORA +13974|Revista Brasileira de Zootecnia-Brazilian Journal of Animal Science|Plant & Animal Science / Animal culture; Animal nutrition; Forage plants|1516-3598|Monthly| |REVISTA BRASILEIRA ZOOTECNIA BRAZILIAN JOURNAL ANIMAL SCI +13975|Revista Caatinga|Agricultural Sciences|0100-316X|Quarterly| |UNIV FED RURAL SEMI-ARIDO-UFERSA +13976|Revista Catalana D Ornitologia| |1697-4697|Annual| |INST CATALA ORNITOLOGIA +13977|Revista Ceres| |0034-737X|Bimonthly| |UNIV FEDERAL VICOSA +13978|REVISTA CHAPINGO SERIE CIENCIAS FORESTALES Y DEL AMBIENTE|Plant & Animal Science /|0186-3231|Semiannual| |UNIV AUTONOMA CHAPINGO +13979|Revista Chapingo Serie Horticultura| |1027-152X|Semiannual| |UNIV AUTONOMA CHAPINGO +13980|Revista chilena de cirugía|Clinical Medicine /|0379-3893|Bimonthly| |SOC CIRUJANOS CHILE +13981|Revista Chilena de Entomologia| |0034-740X|Irregular| |SOC CHILENA ENTOMOLOGIA +13982|Revista chilena de historia natural|Environment/Ecology /|0716-078X|Quarterly| |SOC BIOLGIA CHILE +13983|Revista chilena de infectología|Clinical Medicine /|0716-1018|Bimonthly| |SOC CHILENA INFECTOLOGIA +13984|Revista chilena de literatura| |0048-7651|Semiannual| |UNIV CHILE FAC FILOS HUMAN EDUC +13985|Revista Ciencia Agronomica|Agricultural Sciences|0045-6888|Semiannual| |UNIV FEDERAL CEARA +13986|Revista Ciencias Exatas E Naturais| |1518-0352| | |UNIV ESTADUAL CENTRO-OESTE +13987|Revista Cientifica Udo Agricola| |1317-9152|Annual| |UNIV ORIENTE +13988|Revista Cientifica-Facultad de Ciencias Veterinarias|Plant & Animal Science|0798-2259|Bimonthly| |UNIV ZULIA +13989|Revista Clínica Española|Clinical Medicine / Medicine|0014-2565|Monthly| |EDICIONES DOYMA S A +13990|Revista Colombiana de Biotecnologia| |0123-3475|Semiannual| |UNIV NACIONAL DE COLOMBIA +13991|Revista Colombiana de Ciencias Pecuarias|Plant & Animal Science|0120-0690|Quarterly| |UNIV ANTIOQUIA +13992|Revista Colombiana de Entomologia| |0120-0488|Semiannual| |SOC COLOMBIANA ENTOMOLOGIA-SOCOLEN +13993|Revista Colombiana de Estadistica| |0120-1751|Semiannual| |UNIV NAC COLOMBIA +13994|Revista Corpoica-Ciencia Y Tecnologia Agropecuaria| |0122-8706|Semiannual| |CORP COLOMBIANA INVESTIGACION AGROPECUARIA-CORPOICA +13995|Revista Cubana de Ciencias Veterinarias| |0048-7678|Tri-annual| |CONSEJO CIENTIFICO VETERINARIO CUBA +13996|Revista Cubana de Medicina Tropical| |0375-0760|Tri-annual| |CENTRO NACIONAL INFORMACION CIENCIAS MEDICAS +13997|Revista da Associação Médica Brasileira|Clinical Medicine / Medicine / Medicine|0104-4230|Bimonthly| |ASSOC MEDICA BRASILEIRA +13998|Revista da Escola de Enfermagem da USP|Social Sciences, general /|0080-6234|Quarterly| |UNIV SAO PAOLO +13999|Revista da Sociedade Brasileira de Medicina Tropical|Clinical Medicine / Tropical medicine; Tropical Medicine; Tropische geneeskunde|0037-8682|Bimonthly| |SOC BRASILEIRA MEDICINA TROPICAL +14000|Revista Da Unipe| |1414-3194|Tri-annual| |CENTRO UNIV DE JOAO PRESSOA-UNIPE +14001|Revista de Agricultura Tropical| |1409-438X|Annual| |ESTACION EXPERIMENTAL FABIO BAUDRIT MORENO +14002|Revista de Biologia E Ciencias Da Terra| |1519-5228|Semiannual| |UNIV ESTADUAL PARAIBA +14003|Revista de biología marina y oceanografía|Geosciences /|0717-3326|Semiannual| |INST OCEANOLOGIA +14004|Revista de Biologia Tropical|Biology & Biochemistry|0034-7744|Tri-annual| |REVISTA DE BIOLOGIA TROPICAL +14005|Revista de Biologia-Lisbon| |0034-7736|Irregular| |MUSEU +14006|Revista de Cercetare Si Interventie Sociala|Social Sciences, general|1583-3410|Quarterly| |EDITURA LUMEN +14007|Revista de Chimie|Chemistry|0034-7752|Monthly| |CHIMINFORM DATA S A +14008|Revista de Ciencia Politica|Social Sciences, general|0716-1417|Semiannual| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +14009|Revista de Ciencias Agrarias| |0871-018X|Quarterly| |SOC CIENCIAS AGRARIAS PORTUGAL +14010|Revista de Ciencias Farmaceuticas Basica E Aplicada| |1808-4532|Tri-annual| |UNIV ESTADUAL PAULISTA-UNESP +14011|Revista de Ciencias Sociales|Social Sciences, general|1315-9518|Tri-annual| |UNIV ZULIA +14012|Revista de Critica Literaria Latinoamericana| |0252-8843|Semiannual| |CENTRO ESTUDIOS LITERARIOS ANTONIO CORNEJO POLAR-CELACP +14013|Revista de Derecho Comunitario Europeo|Social Sciences, general|1138-4026|Tri-annual| |CENTRO ESTUDIOS POLITICOS CONSTITUCIONALES +14014|Revista de Dialectología y Tradiciones Populares|Folklore; Spanish language; Portuguese language|0034-7981|Annual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +14015|Revista de Ecologia Latinoamericana| |1012-2494|Tri-annual| |CIRES +14016|Revista de Economia Aplicada|Economics & Business|1133-455X|Tri-annual| |UNIV ZARAGOZA +14017|Revista de Economia Mundial|Economics & Business|1576-0162|Semiannual| |UNIV HUELVA +14018|Revista de Educacion|Social Sciences, general|0034-8082|Quarterly| |MINISTRY EDUCATION & SCIENCE +14019|Revista de Estudios Hispanicos| |0034-818X|Tri-annual| |REVISTA DE ESTUDIOS HISPANICOS +14020|Revista de Estudios Politicos|Social Sciences, general|0048-7694|Quarterly| |CENTRO ESTUDIOS POLITICOS CONSTITUCIONALES +14021|Revista de Estudios Sociales|Social Sciences, general|0123-885X|Tri-annual| |UNIV LOS ANDES +14022|Revista de Etologia| |1517-2805|Semiannual| |UNIV FED UBERLANDIA +14023|Revista de Filologia Espanola| |0210-9174|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +14024|Revista de Filosofia Aurora| |0104-4443|Semiannual| |PONTIFICIA UNIV CATOLICA PARANA +14025|Revista de geografía Norte Grande|Social Sciences, general /|0379-8682|Semiannual| |PONTIFICA UNIV CATOLICA CHILE +14026|Revista de Geologia-Fortaleza| |0103-2410|Semiannual| |UNIV FEDERAL CEARA +14027|Revista de Hispanismo Filosofico| |1136-8071|Annual| |FONDO CULTURA ECONOMICA ESPANA S L +14028|Revista de Historia Economica|Economics & Business /|0212-6109|Tri-annual| |CAMBRIDGE UNIV PRESS +14029|Revista de Historia Industrial| |1132-7200|Semiannual| |UNIV BARCELONA +14030|Revista de Indias| |0034-8341|Tri-annual| |CENTRO DE ESTUDIOS HISTORICUS CONSEJO SUPER INVEST CIENTIF +14031|Revista de Investigacion Clinica|Clinical Medicine|0034-8376|Bimonthly| |INST NACIONAL NUTRICION +14032|Revista de Investigacion Marina| |1988-818X|Irregular| |AZTI-TECNALIA +14033|Revista de Investigacion Y Desarrollo Pesquero| |0325-6375|Irregular| |INST NACIONAL INVESTIGACION DESARROLLO PESQUERO +14034|Revista de Investigaciones Agropecuarias| |0325-8718|Tri-annual| |INST NACIONAL TECNOLOGIA AGROPECUARIA +14035|Revista de Investigaciones Marinas| |0252-1962|Tri-annual| |UNIV HABANA +14036|Revista de Investigaciones Veterinarias Del Peru| |1682-3419|Semiannual| |UNIV NACIONAL MAYOR SAN MARCOS +14037|Revista de la Academia Canaria de Ciencias| |1130-4723|Semiannual| |ACAD CANARIA CIENCIAS +14038|Revista de la Academia Colombiana de Ciencias Exactas Fisicas Y Naturales| |0370-3908|Quarterly| |ACAD COLOMB CIEN EXACTAS FISICAS NAT +14039|Revista de la Asociacion Geologica Argentina| |0004-4822|Quarterly| |ASOC GEOL ARGENTINA +14040|Revista de la ciencia del suelo y nutrición vegetal|Environment/Ecology /|0717-635X|Tri-annual| |SOC CHILENA CIENCIA SUELO +14041|Revista de la Construccion|Engineering|0717-7925|Semiannual| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +14042|Revista de la Facultad de Agronomia de la Universidad Del Zulia|Agricultural Sciences|0378-7818|Quarterly| |UNIV ZULIA +14043|Revista de la Facultad de Agronomia Universidad Nacional de la Plata| |0041-8676|Semiannual| |UNIV NACIONAL LA PLATA +14044|Revista de la Facultad de Ciencias Agrarias|Agricultural Sciences|0370-4661|Semiannual| |UNIV NACIONAL CUYO +14045|Revista de la Real Academia de Ciencias Exactas Fisicas Quimicas Y Naturales de Zaragoza| | |Semiannual| |REAL ACAD CIENCIAS EXACTAS +14046|Revista de la Real Academia de Ciencias Exactas Fisicas Y Naturales Serie A-Matematicas|Mathematics /|1578-7303|Semiannual| |REAL ACAD CIENCIAS EXACTAS FISICAS & NATURALES +14047|Revista de la Sociedad Entomologica Argentina| |0373-5680|Irregular| |SOC ENTOMOLOGICA ARGENTINA +14048|Revista de la Sociedad Geologica de Espana| |0214-2708|Semiannual| |SOC GEOLOGICA ESPANA +14049|Revista de la Societat Paleontologica D Elx Seccion Paleontologica| |1135-7665|Annual| |SOC PALEONTOLOGICA ELX +14050|Revista de la Societat Paleontologica D Elx Seccion Vertebrados Actuales| |1576-9550|Irregular| |SOC PALEONTOLOGICA ELX +14051|Revista de la Union Matematica Argentina|Mathematics|0041-6932|Semiannual| |UNION MATEMATICA ARGENTINA +14052|Revista de la Universidad Del Valle de Guatemala| |1607-5706|Annual| |UNIV VALLE GUATEMALA +14053|Revista de Letras| |0101-3505|Semiannual| |UNIV ESTADUAL PAULISTA-UNESP +14054|Revista de Literatura| |0034-849X|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +14055|Revista de Metalurgia|Materials Science / Metallurgy|0034-8570|Bimonthly| |CENIM +14056|Revista de Nefrologia Dialisis Y Trasplante|Clinical Medicine|0326-3428|Quarterly| |ASOC REGIONAL DIALISIS TRASPLANTES RENALES +14057|Revista de Neurologia|Clinical Medicine|0210-0010|Semimonthly| |REVISTA DE NEUROLOGIA +14058|Revista de Nutricao-Brazilian Journal of Nutrition|Agricultural Sciences /|1415-5273|Bimonthly| |PONTIFICIA UNIVERSIDADE CATOLICA CAMPINAS +14059|Revista de Occidente| |0034-8635|Monthly| |FUNDACION JOSE ORTEGA Y GASSET +14060|Revista de Patologia Tropical| |0301-0406|Semiannual| |UNIV FEDERAL GOIAS +14061|Revista de Psicodidactica|Psychiatry/Psychology|1136-1034|Semiannual| |ESCUELA UNIV MAGISTERIO +14062|Revista de Psicologia Del Deporte| |1132-239X|Semiannual| |UNIV ILLES BALEARS +14063|Revista de Psicología Social|Psychiatry/Psychology / Social psychology|0213-4748|Tri-annual| |FUNDACION INFANCIA APRENDIZAJE +14064|Revista de Psiquiatria Clínica|Psychiatry/Psychology / Psychiatry|0101-6083|Quarterly| |UNIV SAO PAULO +14065|Revista de Salud Animal| |0253-570X|Quarterly| |CENTRO NACIONAL SANIDAD AGROPECUARIA REPUBLICA CUBA +14066|Revista de Saúde Pública|Social Sciences, general / Public health; Public Health|0034-8910|Bimonthly| |REVISTA DE SAUDE PUBLICA +14067|Revista de Tecnologia E Ambiente| |1413-8131|Semiannual| |UNIV EXTREMO SUL CATARINENSE +14068|Revista Del Clad Reforma Y Democracia|Social Sciences, general|1315-2378|Tri-annual| |CLAD-LATINOAMERICANO ADMINISTRACION DESARROLLO +14069|Revista Del Museo Argentino de Ciencias Naturales Nueva Serie| |1514-5158|Semiannual| |MUSEO ARGENTINO CIENCIAS NATURALES BERNARDINO RIVADAVIA +14070|Revista Del Museo de la Plata Publicacion Tecnica Y Didactica| |0372-4565|Irregular| |UNIV NACIONAL PLATA +14071|Revista Del Museo de la Plata Seccion Paleontologia| |0373-3823|Irregular| |UNIV NACIONAL LA PLATA +14072|Revista Del Museo de la Plata Seccion Zoologia| |0372-4638|Irregular| |UNIV NACIONAL LA PLATA +14073|Revista Do Instituto Adolfo Lutz| |0073-9855|Semiannual| |INST ADOLFO LUTZ +14074|Revista do Instituto de Medicina Tropical de São Paulo|Biology & Biochemistry / Tropical medicine; Tropical Medicine|0036-4665|Bimonthly| |INST MEDICINA TROPICAL SAO PAULO +14075|Revista Do Instituto Geologico-Sao Paulo| |0100-929X|Semiannual| |INST GEOLOGICO CENTRO ESTADUAL AGRICULTURA +14076|Revista Ecuatoriana de Neurologia|Neuroscience & Behavior|1019-8113|Semiannual| |SOC ECUATORIANA NEUROLOG +14077|Revista Espanola de Cardiologia|Clinical Medicine / Cardiology / Cardiovascular system; Cardiology; Cardiovascular Diseases|0300-8932|Monthly| |EDICIONES DOYMA S A +14078|Revista Espanola de Derecho Constitucional|Social Sciences, general|0211-5743|Tri-annual| |CENTRO ESTUDIOS POLITICOS CONSTITUCIONALES +14079|Revista española de Documentación Científica|Social Sciences, general / Science; Information storage and retrieval systems|0210-0614|Quarterly| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +14080|Revista Espanola de Drogodependencias| |0213-7615|Quarterly| |ASOCIACION CIENTIFICA DROGALCOHOL +14081|Revista Española de Enfermedades Digestivas|Clinical Medicine /|1130-0108|Monthly| |ARAN EDICIONES +14082|Revista Espanola de Financiacion Y Contabilidad-Spanish Journal of Financeand Accounting| |0210-2412|Quarterly| |ASOCIACION ESPANOLA CONTABILIDAD ADMIN EMPRESAS +14083|Revista Espanola de Herpetologia| |0213-6686|Annual| |ASOC HERPETOL ESPAN +14084|Revista Espanola de Investigaciones Sociologicas|Social Sciences, general|0210-5233|Quarterly| |CENTRO INVESTIGACIONES SOCIOLOGICAS +14085|Revista Espanola de Linguistica Aplicada|Social Sciences, general|0213-2028|Annual| |ASOC ESPANOLA LIGUISTICA APLICADA +14086|Revista Española de Medicina Nuclear|Clinical Medicine / Nuclear Medicine|0212-6982|Bimonthly| |ELSEVIER SCIENCE INC +14087|Revista Espanola de Micropaleontologia| |0556-655X|Tri-annual| |INST GEOLOGICA MINERO ESPANA +14088|Revista Espanola de Nutricion Comunitaria-Spanish Journal of Community Nutrition|Agricultural Sciences|1135-3074|Quarterly| |NEXUS MEDICA EDITORES +14089|Revista Espanola de Paleontologia| |0213-6937|Semiannual| |SOC ESPANOLA PALEONTOLOGIA +14090|Revista Espanola de Pedagogia|Social Sciences, general|0034-9461|Tri-annual| |INST EUROPEO INCIATIVAS EDUCATIVAS +14091|Revista Espanola de Quimioterapia|Clinical Medicine|0214-3429|Quarterly| |SOCIEDAD ESPANOLA QUIMIOTERAPIA +14092|Revista Española de Salud Pública|Social Sciences, general /|1135-5727|Bimonthly| |MINISTERIO DE SANIDAD Y CONSUMO +14093|Revista Facultad de Ciencias Basicas Universidad Militar Nueva Granada| |1900-4699| | |UNIV MILITAR NUEVA GRANADA +14094|Revista Facultad de Ingenieria-Universidad de Antioquia|Engineering|0120-6230|Quarterly| |IMPRENTA UNIV ANTIOQUIA +14095|Revista Fave Ciencias Veterinarias| |1666-938X|Semiannual| |UNIV NAC LITORAL +14096|Revista Fitotecnia Mexicana|Plant & Animal Science|0187-7380|Quarterly| |SOC MEXICANA FITOGENETICA +14097|Revista Iberica de Aracnologia| |1576-9518|Semiannual| |GRUPO IBERICO ARACNOLOGIA-GIA +14098|Revista Iberoamericana| |0034-9631|Quarterly| |INST INT LIT IBEROAMERICANA +14099|Revista Iberoamericana de Automática e Informática Industrial|Engineering /|1697-7912|Quarterly| |COMITE ESPANOL AUTOMATICA CEA +14100|Revista Iberoamericana de Diagnostico Y Evaluacion-E Avaliacao Psicologica| |1135-3848|Semiannual| |AIDEP +14101|Revista Iberoamericana de Micología|Microbiology /|1130-1406|Quarterly| |ASOCIACION ESPANOLA MICOLOGIA-AEM +14102|Revista Ingenieria E Investigacion|Engineering|0120-5609|Tri-annual| |UNIV NAC COLOMBIA +14103|Revista Internacional de Contaminacion Ambiental|Environment/Ecology|0188-4999|Quarterly| |CENTRO CIENCIAS ATMOSFERA UNAM +14104|Revista Internacional de Medicina Y Ciencias de la Actividad Fisica Y Del Deporte| |1577-0354|Quarterly| |RED IRIS +14105|Revista Internacional de Metodos Numericos Para Calculo Y Diseno En Ingenieria|Engineering|0213-1315|Quarterly| |UNIV POLITECNICA CATALUNYA +14106|Revista Internacional de Sociología|Social Sciences, general / Social sciences|0034-9712|Tri-annual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +14107|Revista Latino-Americana de Enfermagem|Social Sciences, general /|0104-1169|Bimonthly| |UNIV SAO PAULO +14108|Revista Latinoamericana de Hipertension|Clinical Medicine|1856-4550|Quarterly| |SOC LATINOAMERICANA HIPERTENSION +14109|Revista Latinoamericana de Investigacion En Matematica Educativa-Relime|Social Sciences, general|1665-2436|Tri-annual| |CLAME-COMITE LATINOAMERICANO MAT EDUC +14110|Revista Latinoamericana de Microbiologia| |0034-9771|Quarterly| |ASOCIACION LATINOAMERICANA MICROBIOLOGIA +14111|Revista Latinoamericana de Psicologia|Psychiatry/Psychology|0120-0534|Tri-annual| |FOUNDATION ADVANCEMENT PSYCHOLOGY +14112|Revista Latinoamericana de Psicopatologia Fundamental|Psychiatry/Psychology /|1415-4714|Quarterly| |ASSOC UNIV PEQUISA PSICOPATOLOGIA FUNDAMENTAL +14113|Revista Lusofona de Educacao|Social Sciences, general|1645-7250|Semiannual| |EDICOES UNIV LUSOFONAS +14114|Revista Matemática Complutense|Mathematics /|1139-1138|Semiannual| |SPRINGER +14115|Revista Matematica Iberoamericana|Mathematics|0213-2230|Tri-annual| |UNIV AUTONOMA MADRID +14116|Revista médica de Chile|Clinical Medicine /|0034-9887|Monthly| |SOC MEDICA SANTIAGO +14117|Revista Mexicana de Astronomia Y Astrofisica|Space Science|0185-1101|Semiannual| |UNIV NACIONAL AUTONOMA MEXICO +14118|Revista Mexicana de Biodiversidad|Plant & Animal Science|1870-3453|Semiannual| |INST BIOLOGIA +14119|Revista Mexicana de Ciencias Farmaceuticas| |1027-3956|Bimonthly| |ASOCIACION FARMACEUTICA MEXICANA +14120|Revista Mexicana de Ciencias Geologicas|Geosciences|1026-8774|Tri-annual| |CENTRO GEOCIENCIAS UNAM +14121|Revista Mexicana de Ciencias Pecuarias|Plant & Animal Science| |Quarterly| |INIFAP-CENID PARASITOLOGIA VETERINARIA +14122|Revista Mexicana de Fisica|Physics|0035-001X|Bimonthly| |SOC MEXICANA FISICA +14123|Revista Mexicana de Fisica E|Physics|1870-3542|Semiannual| |SOC MEXICANA FISICA +14124|Revista Mexicana de Fitopatologia| |0185-3309|Irregular| |SOC MEXICANA FITOPATOLOGIA A C +14125|Revista Mexicana de Ingenieria Quimica|Chemistry|1665-2738|Tri-annual| |UNIV AUTONOMA METROPOLITANA-IZTAPALAPA +14126|Revista Mexicana de Micologia| |0187-3180|Annual| |SOC MEXICANA MICOLOGIA +14127|Revista Mexicana de Psicologia|Psychiatry/Psychology|0185-6073|Semiannual| |SOC MEXICANA PSICOLOGIA +14128|Revista musical chilena| |0716-2790|Semiannual| |UNIV CHILE +14129|Revista Mvz Cordoba|Agricultural Sciences|0122-0268|Semiannual| |UNIV CORDOBA +14130|Revista Nicaraguense de Entomologia| |1021-0296|Quarterly| |MUSEO ENTOMOLOGICO DE LEON +14131|Revista Panamericana de Salud Publica-Pan American Journal of Public Health|Social Sciences, general /|1020-4989|Monthly| |PAN AMER HEALTH ORGANIZATION +14132|Revista Peruana de Biologia| |1561-0837|Semiannual| |UNIV NACIONAL MAYOR SAN MARCOS +14133|Revista Peruana de Entomologia| |0080-2425|Annual| |SOC ENTOMOLOGICA PERU-SEP +14134|Revista Portuguesa de Ciencias Veterinarias| |0035-0389|Irregular| |SOC PORTUGUESA CIENCIAS VETERINARIAS +14135|Revista Portuguesa de Farmacia| |0484-811X|Quarterly| |ORDEM DOS FARMACEUTICOS +14136|Revista Portuguesa de Pneumologia|Clinical Medicine|0873-2159|Bimonthly| |SOC PORTUGUESA PNEUMOLOGIA +14137|Revista Real Academia Galega de Ciencias| |1135-5417|Annual| |REAL ACAD GALEGA CIENCIAS +14138|Revista Romana de Bioetica|Social Sciences, general|1583-5170|Quarterly| |COLEGIUL MEDICILOR IASI +14139|Revista Romana de Materiale-Romanian Journal of Materials|Materials Science|1583-3186|Quarterly| |SERBAN SOLACOLU FOUNDATION +14140|Revista Romana de Medicina de Laborator|Clinical Medicine|1841-6624|Quarterly| |UNIV PRESS +14141|Revista signos|Social Sciences, general /|0035-0451|Tri-annual| |EDICIONES UNIV VALPARAISO +14142|Revista Tecnica de la Facultad de Ingenieria Universidad Del Zulia|Engineering|0254-0770|Tri-annual| |UNIV ZULIA +14143|Revista Universidade de Guarulhos Geociencias| |1981-7428|Annual| |UNIV GUARULHOS +14144|Revista Universidade Rural-Serie Ciencias Da Vida| |0104-7264|Semiannual| |UNIV FEDERAL RURAL DO RIO JANEIRO +14145|Revista Venezolana de Gerencia|Economics & Business|1315-9984|Semiannual| |UNIV ZULIA CENTRO ESTUDIOS EMPRESA +14146|Revista Veterinaria-Corrientes| |1668-4834|Semiannual| |UNIV NACIONAL NORDESTE-UNNE +14147|Revolutionary Russia| |0954-6545|Semiannual| |ROUTLEDGE JOURNALS +14148|Revstat-Statistical Journal|Mathematics|1645-6726|Tri-annual| |INST NACIONAL ESTATISTICA-INE +14149|Revue Arachnologique| |0398-4346|Irregular| |J C LEDOUX IMPRIMEUR-EDITEUR +14150|Revue Belge de Philologie et D Histoire| |0035-0818|Quarterly| |REVUE BELGE PHILOLOGIE HISTOIRE +14151|Revue Biblique| |0035-0907|Quarterly| |J GABALDA CIE +14152|Revue D Ecologie-La Terre et la Vie|Environment/Ecology|0249-7395|Quarterly| |SOC NATL PROTECTION NATURE ACCLIMATATION FRANCE +14153|Revue D Economie Politique|Economics & Business|0373-2630|Bimonthly| |EDITIONS DALLOZ +14154|Revue D Elevage et de Medecine Veterinaire des Pays Tropicaux| |0035-1865|Quarterly| |LAVOISIER +14155|Revue D Entomologie Generale| | |Irregular| |UNION ENTOMOLOGISTES BELGES +14156|Revue d Épidémiologie et de Santé Publique|Clinical Medicine / Epidemiology; Public Health|0398-7620|Bimonthly| |MASSON EDITEUR +14157|Revue D Etudes Comparatives Est-Ouest|Economics & Business /|0338-0599|Quarterly| |NECPLUS +14158|Revue D Histoire de L Amerique Francaise| |0035-2357|Quarterly| |INST HIST DEL L AMER FR +14159|Revue D Histoire Du Theatre| |1291-2530|Quarterly| |SOC HISTOIRE THEATRE +14160|Revue D Histoire Ecclesiastique| |0035-2381|Quarterly| |REVUE D HISTOIRE ECCLESIASTIQUE +14161|Revue d histoire littéraire de la France|French literature; LITERATURA FRANCESA; Letterkunde; Frans|0035-2411|Bimonthly| |PRESSES UNIV FRANCE +14162|Revue D Histoire Moderne et Contemporaine| |0048-8003|Quarterly| |SOC HIST MODERNE +14163|Revue de Geographie Alpine-Journal of Alpine Research|Social Sciences, general /|0035-1121|Quarterly| |ARMAN COLIN +14164|Revue de l Art|Art; Kunst|0035-1326|Quarterly| |EDITIONS C N R S +14165|Revue de l Association Roussillonnaise d Entomologie| |1288-5509|Tri-annual| |ASSOC ROUSSIL ENTOMOL +14166|Revue de l histoire des religions| |0035-1423|Quarterly| |PRESSES UNIV FRANCE +14167|Revue de Linguistique Romane| |0035-1458|Semiannual| |SOC LINGUISTIQUE ROMANE +14168|Revue de Medecine Interne|Clinical Medicine / Internal medicine; Internal Medicine / Internal medicine; Internal Medicine|0248-8663|Monthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +14169|Revue de Medecine Veterinaire|Plant & Animal Science|0035-1555|Monthly| |ECOLE NATIONALE VETERINAIRE TOULOUSE +14170|Revue de Medecines et Pharmacopees Africaines| |1240-9782|Semiannual| |GRIP-GROUPE RECHERCHE INFORMATION SUR PHARMACOPEE ENVIRO +14171|Revue de Metallurgie-Cahiers D Informations Techniques|Materials Science / Metallurgy; Iron; Steel|0035-1563|Monthly| |REVUE DE METALLURGIE +14172|Revue de métaphysique et de morale|Philosophy|0035-1571|Quarterly| |LIBRAIRIE ARMAND COLIN +14173|Revue de Micropaléontologie|Micropaleontology|0035-1598|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +14174|Revue de musicologie|Musicology; Music|0035-1601|Semiannual| |EDITIONS TRANSATLANTIQUES +14175|Revue de Paléobiologie| |0253-6730|Semiannual| |MUSEUM HISTOIRE NATURELLE +14176|Revue de Philologie de Litterature et D Histoire Anciennes| |0035-1652|Semiannual| |EDITIONS KLINCKSIECK +14177|Revue de Phyllie| |1632-7705|Irregular| |ASSOC FOYER CULT SARREGUEMINES +14178|Revue de Pneumologie Clinique|Clinical Medicine / Lung Diseases; Respiratory System|0761-8417|Bimonthly| |ELSEVIER +14179|Revue de Primatologie| |2077-3757|Semiannual| |SOC FRANCOPHONE PRIMATOLOGIE-SFDP +14180|Revue de Stomatologie et de Chirurgie Maxillo-faciale|Clinical Medicine / Dentistry; Mouth Diseases; Surgery, Oral; Mondheelkunde; Kaakchirurgie; Gelaat|0035-1768|Bimonthly| |ELSEVIER +14181|Revue de Synthèse|History; Science; History of Medicine; Sciences|0035-1776|Quarterly| |SPRINGER FRANCE +14182|Revue des Etudes Italiennes| |0035-2047|Semiannual| |EDITIONS L'AGE D'HOMME +14183|Revue des Études Juives| |0484-8616|Semiannual| |EDITIONS PEETERS SPRL +14184|Revue des Langues Romanes| |0223-3711|Semiannual| |REVUE DES LANGUES ROMANES +14185|Revue des Maladies Respiratoires|Clinical Medicine / Respiratory organs; Respiratory Tract Diseases; Tuberculosis|0761-8425|Bimonthly| |MASSON EDITEUR +14186|Revue des Musees de France-Revue Du Louvre| |0035-2608|Bimonthly| |CONSEIL MUSEES NATIONAUX +14187|Revue des Sciences de L Eau-Journal of Water Science| |0992-7158|Quarterly| |LAVOISIER +14188|Revue des Sciences Naturelles D Auvergne| |0373-2851|Annual| |SOC D HISTOIRE NATURELLE D UVERGNE +14189|Revue des Sciences Philosophiques et Theologiques| |0035-2209|Quarterly| |LIBRAIRIE PHILOS +14190|Revue Du Nord| |0035-2624|Quarterly| |UNIV CHARLES DE GAULLE -LILLE III +14191|Revue Du Praticien|Clinical Medicine|0035-2640|Semimonthly| |GLOBAL MEDIA SANTE SAS +14192|Revue Forestiere Francaise-Nancy| |0035-2829|Bimonthly| |ENGREF-ECOLE NATIONALE DU GENIE RURAL +14193|Revue Française d Allergologie|Clinical Medicine /|1877-0320|Bimonthly| |ELSEVIER MASSON +14194|Revue Francaise D Entomologie-Nouvelle Serie| |0181-0863|Quarterly| |ASSOC AMIS LABORATOIRE ENTOMOLOGIE MUSEUM-A A L E M +14195|Revue Francaise D Etudes Americaines| |0397-7870|Quarterly| |ASSOC FRANCAISE ETUDES AMER +14196|Revue Francaise de Linguistique Appliquee|Social Sciences, general|1386-1204|Semiannual| |PUBLICATIONS LINGUISTIQUES +14197|Revue Française de Sociologie|Social Sciences, general / Sociology; SOCIOLOGIA; Sociologie|0035-2969|Quarterly| |EDITIONS OPHRYS +14198|Revue Francaise des Cichlidophiles| |0997-4806|Monthly| |ASSOC FRANCE CICHLID +14199|Revue historique|History; HISTORIA; Geschiedenis|0035-3264|Quarterly| |PRESSES UNIV FRANCE +14200|Revue Internationale de Philosophie| |0048-8143|Quarterly| |REVUE INT PHILOSOPHIE +14201|Revue Internationale de Psychologie Sociale-International Review of Socialpsychology| |0992-986X|Quarterly| |PRESSES UNIV GRENOBLE +14202|Revue Internationale des Services de Sante des Forces Armees| |0259-8582|Quarterly| |REVUE INT SERVICES SANTE FORCES ARMEES +14203|Revue Neurologique|Clinical Medicine / Neurology; Neurologie; Système nerveux|0035-3787|Monthly| |MASSON EDITEUR +14204|Revue philosophique de la France et de l étranger|Philosophy; Filosofie; Philosophie|0035-3833|Quarterly| |PRESSES UNIV FRANCE +14205|Revue Philosophique de Louvain| |0035-3841|Quarterly| |INST SUPERIEUR PHILOSOPHIE +14206|Revue Romane|Romance philology; Romance languages|0035-3906|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +14207|Revue Roumaine de Chimie|Chemistry|0035-3930|Monthly| |EDITURA ACAD ROMANE +14208|Revue Roumaine de Geologie Geophysique et Geographie-Geophysique| |1220-529X|Annual| |RODIPET +14209|Revue Roumaine de Linguistique-Romanian Review of Linguistics| |0035-3957|Quarterly| |EDITURA ACAD ROMANE +14210|Revue Roumaine des Sciences Techniques-Serie Electrotechnique et Energetique|Engineering|0035-4066|Quarterly| |EDITURA ACAD ROMANE +14211|Revue Scientifique et Technique-Office International des Epizooties| |0253-1933|Tri-annual| |OFFICE INT EPIZOOTIES +14212|Revue Suisse de Zoologie|Plant & Animal Science|0035-418X|Quarterly| |MUSEUM HISTOIRE NATURELLE +14213|Revue Suisse de Zoologie Volume Hors Serie| | |Irregular| |MUSEUM HISTOIRE NATURELLE +14214|Revue Théologique de Louvain| |0080-2654|Quarterly| |UNIV CATHOLIQUE LOUVAIN +14215|Revue Valdotaine D Histoire Naturelle| |1120-1371|Annual| |SOC FLORE VALDOTAINE +14216|Revue Vervietoise D Histoire Naturelle| |0375-1465|Quarterly| |NATURALISTES VERVIETOIS-A S B L +14217|Rheedea| |0971-2313|Semiannual| |INDIAN ASSOC ANGIOSPERM TAXONOMY-IAAT +14218|Rheologica Acta|Physics / Rheology; Reologie; Rhéologie|0035-4511|Bimonthly| |SPRINGER +14219|Rhetoric Review|Rhetoric|0735-0198|Quarterly| |ROUTLEDGE JOURNALS +14220|Rhetoric Society Quarterly|Social Sciences, general / Rhetoric; Retorica|0277-3945|Quarterly| |ROUTLEDGE JOURNALS +14221|Rhetorica-A Journal of the History of Rhetoric|Rhetoric; Retorica|0734-8584|Quarterly| |UNIV CALIFORNIA PRESS +14222|Rheumatic Disease Clinics of North America|Clinical Medicine / Rheumatism; Arthritis; Rheumatology; Reumatologie|0889-857X|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14223|Rheumatology|Clinical Medicine / Rheumatism; Arthritis; Rheumatic Diseases; Rheumatology; Reumatologie|1462-0324|Monthly| |OXFORD UNIV PRESS +14224|Rheumatology International|Clinical Medicine / Rheumatology|0172-8172|Tri-annual| |SPRINGER HEIDELBERG +14225|Rhinology|Clinical Medicine|0300-0729|Quarterly| |INT RHINOLOGIC SOC +14226|Rhinolophe| |1011-8098|Annual| |MUSEUM HISTOIRE NATURELLE +14227|Rhode Island Naturalist| | |Semiannual| |RHODE ISLAND NATURAL HIST SURVEY +14228|Rhodora|Plant & Animal Science / Plants; Botanique; Plantes|0035-4902|Quarterly| |NEW ENGLAND BOTANICAL CLUB INC +14229|Rhumatologie| |0249-7581|Bimonthly| |MEDITIONS CARLINE +14230|Ribarstvo| |1330-061X|Quarterly| |HRVATSKO IHTIOLOSKO DRUSTVO +14231|Ricerche Di Storia Dell Arte| |0392-7202|Tri-annual| |NUOVA ITALIA SCIENTIFICA SPA +14232|Ride-The Journal of Applied Theatre and Performance|Drama in education; Drama|1356-9783|Quarterly| |ROUTLEDGE JOURNALS +14233|Riista Ja Kalatalous Selvityksia| |1796-8887|Irregular| |FINNISH GAME & FISHERIES RESEARCH INST-FGFRI +14234|Riista Ja Kalatalous Tutkimuksia| |1796-8860|Irregular| |FINNISH GAME & FISHERIES RESEARCH INST-FGFRI +14235|Rilce-Revista de Filologia Hispanica|Social Sciences, general|0213-2370|Semiannual| |SERVICIO PUBL UNIV NAVARRA +14236|Rinascimento| |0080-3073|Annual| |CASA EDITRICE LEO S OLSCHKI +14237|Ring| |0035-5429|Semiannual| |THE RING (INTERNATIONAL ORNITHOLOGICAL JOURNAL) +14238|Ringing & Migration| |0307-8698|Tri-annual| |BRITISH TRUST ORNITHOLOGY +14239|Rinkelbollen| |1383-925X|Tri-annual| |NATUURVERENIGING TERSCHELLING +14240|Rishiri Studies| |0919-9160|Annual| |RISHIRI TOWN MUSEUM +14241|Risk Analysis|Social Sciences, general / Technology; Risk Assessment; Technologie; Évaluation du risque|0272-4332|Bimonthly| |WILEY-BLACKWELL PUBLISHING +14242|Risorgimento| |0035-5607|Tri-annual| |MUSEO RISORGIMENTO +14243|Rit Fiskideildar| |0484-9019|Irregular| |MARINE RESEARCH INST +14244|River Research and Applications|Environment/Ecology / Rivers|1535-1459|Bimonthly| |JOHN WILEY & SONS LTD +14245|Rivers| |0898-8048|Quarterly| |S E L & ASSOC +14246|Riviera Scientifique| |0395-0395|Annual| |ASSOC NATURAL NICE ALPES MARITIMES +14247|Rivista Del Museo Civico Di Scienze Naturali Enrico Caffi| |0393-8700|Irregular| |MUSEO CIVICO SCIENZE NATURALI E CAFFI +14248|Rivista Del Nuovo Cimento|Physics / Physics; Natuurkunde; Physique|0393-697X|Monthly| |SOC ITALIANA FISICA +14249|Rivista Di Biologia-Biology Forum|Biology & Biochemistry|0035-6050|Tri-annual| |TILGHER-GENOVA S A S +14250|Rivista Di Filosofia Neo-Scolastica| |0035-6247|Quarterly| |VITA PENSIERO +14251|Rivista Di Idrobiologia| |0048-8399|Quarterly| |UNIV DEGLI STUDI PERUGIA +14252|Rivista Di Letterature Moderne E Comparate| |0391-2108|Quarterly| |PACINI EDITORE +14253|Rivista Di Parassitologia| |0035-6387|Tri-annual| |IST PARASSITOLOGIA +14254|Rivista Di Psichiatria|Psychiatry/Psychology|0035-6484|Bimonthly| |PENSIERO SCIENTIFICO EDITOR +14255|Rivista Di Psicoanalisi|Psychiatry/Psychology|0035-6492|Quarterly| |EDIZIONI BORLA SRL +14256|Rivista Di Scienza Dell Alimentazione| |1128-7969|Quarterly| |SOC EDITRICE ALIMENTI ALIMENTAZIONE NUTRIZONEVIA +14257|Rivista Di Storia Della Filosofia| |0393-2516|Quarterly| |FRANCO ANGELI +14258|Rivista Di Storia E Letteratura Religiosa| |0035-6573|Tri-annual| |CASA EDITRICE LEO S OLSCHKI +14259|Rivista Italiana Delle Sostanze Grasse|Chemistry|0035-6808|Quarterly| |SERVIZI EDITORIALI ASSOC SRL +14260|Rivista Italiana Di Musicologia| |0035-6867|Semiannual| |CASA EDITRICE LEO S OLSCHKI +14261|Rivista Italiana Di Ornitologia| |0035-6875|Semiannual| |SOC ITALIANA SCIENZE NATURALI +14262|Rivista Italiana Di Paleontologia E Stratigrafia|Geosciences|0035-6883|Tri-annual| |UNIV STUDI MILANO +14263|Rivista Italiana Di Telerilevamento|Engineering|1129-8596|Tri-annual| |ASSOC ITALIANA TELERILEVAMENTO +14264|Rivista Piemontese Di Storia Naturale| |1121-1423|Annual| |ASSOC NATURAL PIEMONTESE +14265|Rivista Storica Italiana| |0035-7073|Tri-annual| |EDIZIONI SCIENTIFICHE ITALIANE +14266|Rla-Revista de Linguistica Teorica Y Aplicada|Social Sciences, general|0033-698X|Semiannual| |UNIV CONCEPCION +14267|Rlc-Revue de Litterature Comparee| |0035-1466|Quarterly| |DIDIER-ERUDITION +14268|Rn Magazine| |0033-7021|Monthly| |MEDICAL ECONOMICS +14269|RNA Biology|Molecular Biology & Genetics /|1547-6286|Quarterly| |LANDES BIOSCIENCE +14270|Rna-A Publication of the Rna Society|Biology & Biochemistry / RNA|1355-8382|Monthly| |COLD SPRING HARBOR LAB PRESS +14271|Road & Transport Research|Engineering|1037-5783|Quarterly| |ARRB GROUP LTD +14272|Road Materials and Pavement Design| |1468-0629|Quarterly| |LAVOISIER +14273|Robotica|Engineering / Robotics; Artificial intelligence|0263-5747|Bimonthly| |CAMBRIDGE UNIV PRESS +14274|Robotics and Autonomous Systems|Engineering / Robotics; Robots; Robots, Industrial; Automatic control|0921-8890|Monthly| |ELSEVIER SCIENCE BV +14275|Robotics and Computer-Integrated Manufacturing|Engineering / Robots, Industrial; Computer integrated manufacturing systems; Robotics|0736-5845|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +14276|Rock Art Research| |0813-0426|Semiannual| |ARCHAEOLOGICAL PUBL +14277|Rock Mechanics and Rock Engineering|Geosciences / Rock mechanics; Engineering geology; Ingénierie; Roches, Mécanique des|0723-2632|Quarterly| |SPRINGER WIEN +14278|Rocky Mountain Bird Observatory Ornithological Monograph| | |Irregular| |ROCKY MOUNTAIN BIRD OBSERVATORY +14279|Rocky Mountain Geology|Geology|1555-7332|Semiannual| |UNIV WYOMING +14280|Rocky Mountain Journal of Mathematics|Mathematics / Mathematics|0035-7596|Bimonthly| |ROCKY MT MATH CONSORTIUM +14281|Rocznik Helski| |1641-9189|Annual| |STOWARZYSZENIE PRZYJACIELE HELU +14282|Rocznik Ochrona Srodowiska|Environment/Ecology|1506-218X|Annual| |MIDDLE POMERANIAN SCI SOC ENV PROT +14283|Roczniki Akademii Rolniczej W Poznaniu| | |Irregular| |WYDAWNICTWO AKAD ROLNICZEJ W POZNANIU +14284|Roczniki Pomorskiej Akademii Medycznej W Szczecinie| |1427-440X|Annual| |POMORSKA AKAD MEDYCZNA +14285|Rodentia| |1617-6170|Bimonthly| |NATUR TIER - VERLAG +14286|Rofo-Fortschritte auf dem Gebiet der Rontgenstrahlen und der Bildgebenden Verfahren|Clinical Medicine / Diagnostic imaging; Radiology, Medical; Diagnostic Imaging; Radiology / Diagnostic imaging; Radiology, Medical; Diagnostic Imaging; Radiology|1438-9029|Monthly| |GEORG THIEME VERLAG KG +14287|Romance Notes| |0035-7995|Tri-annual| |UNIV NORTH CAROLINA +14288|Romance Philology| |0035-8002|Semiannual| |BREPOLS PUBLISHERS +14289|Romance Quarterly|Romance philology; Philologie romane|0883-1157|Quarterly| |HELDREF PUBLICATIONS +14290|Romance Studies|Romance philology; Romance literature; Philologie romane; Littérature romane|0263-9904|Quarterly| |MANEY PUBLISHING +14291|Romanian Agricultural Research|Agricultural Sciences|1222-4227|Annual| |NATL AGRICULTURAL RESEARCH & DEVELOPMENT INST +14292|Romanian Biotechnological Letters|Biology & Biochemistry|1224-5984|Bimonthly| |ARS DOCENDI +14293|Romanian Journal of Biochemistry| |1582-3318|Semiannual| |EDITURA ACAD ROMANE +14294|Romanian Journal of Biology-Zoology| |1843-7761|Semiannual| |EDITURA ACAD ROMANE +14295|Romanian Journal of Economic Forecasting|Economics & Business|1582-6163|Quarterly| |INST ECONOMIC FORECASTING +14296|Romanian Journal of Information Science and Technology|Computer Science|1453-8245|Quarterly| |EDITURA ACAD ROMANE +14297|Romanian Journal of Legal Medicine|Social Sciences, general /|1221-8618|Quarterly| |ROMANIAN LEGAL MED SOC +14298|Romanian Journal of Morphology and Embryology|Molecular Biology & Genetics|1220-0522|Quarterly| |EDITURA ACAD ROMANE +14299|Romanian Journal of Physics|Physics|1221-146X|Monthly| |EDITURA ACAD ROMANE +14300|Romanian Journal of Political Science|Social Sciences, general|1582-456X|Semiannual| |ROMANIAN ACAD SOC +14301|Romanian Reports in Physics|Physics|1221-1451|Quarterly| |EDITURA ACAD ROMANE +14302|Romanische Forschungen|Romance philology; Romance literature; Latin language, Medieval and modern; Latin literature, Medieval and modern|0035-8126|Semiannual| |VITTORIO KLOSTERNAMM GMBH +14303|Romanistische Zeitschrift fur Literaturgeschichte-Cahiers D Histoire des Litteratures Romanes| |0343-379X|Semiannual| |UNIVERSITATSVERLAG C WINTER HEIDELBERG GMBH +14304|Romanticism|Romanticism; English literature|1354-991X|Tri-annual| |EDINBURGH UNIV PRESS +14305|Romantisme|Romanticism; French literature; LITERATURA FRANCESA; Littérature française; Romantisme|0048-8593|Quarterly| |EDITIONS SEDES +14306|Rorschach Research Exchange| |0893-4037|Quarterly| |RORSCHACH INSTITUTE +14307|Rorschach Research Exchange and Journal of Projective Techniques| |1068-3402| | |RORSCHACH INSTITUTE +14308|Rosalia| |1787-825X|Irregular| |SPRAVA CHKO PONITRIE +14309|Rossiiskii Vestnik Perinatologii I Pediatrii| |1027-4065|Bimonthly| |IZDATELSTVO MEDIA SFERA +14310|Rossiskii Zhurnal Biologicheskikh Invazii| | |Semiannual| |A N SEVERSTOV INST ECOL EVOL +14311|Rostaniha| |1608-4306|Semiannual| |PLANT PESTS & DISEASES RESEARCH INST +14312|Rspb Research Report| | |Irregular| |ROYAL SOC PROTECTION BIRDS-RSPB +14313|Rubber Chemistry and Technology|Chemistry|0035-9475|Bimonthly| |AMER CHEMICAL SOC INC +14314|Rudolstaedter Naturhistorische Schriften| |0863-0844|Annual| |THUERINGER LANDESMUSEUM HEIDECKSBURG RUDOLSTADT +14315|Rundschreiben des Vereins Saechsischer Ornithologen| |1618-5897|Irregular| |VEREIN SAECHSISCHER ORNITHOLOGEN E V +14316|Rural History-Economy Society Culture|Rural conditions; Sociology, Rural; Agrarische maatschappij|0956-7933|Semiannual| |CAMBRIDGE UNIV PRESS +14317|Rural Sociology|Social Sciences, general / Sociology, Rural; Sociology; Sociologie|0036-0112|Quarterly| |RURAL SOCIOLOGICAL SOC +14318|Russell-The Journal of the Bertrand Russell Studies| |0036-0163|Semiannual| |BETRAND RUSSELL RESEARCH CENTRE +14319|Russian Chemical Bulletin|Chemistry / Chemistry|1066-5285|Monthly| |SPRINGER +14320|Russian Chemical Reviews|Chemistry / Chemistry; Chemie; Chimie|0036-021X|Monthly| |IOP PUBLISHING LTD +14321|Russian Conservation News| |1026-6380|Quarterly| |POCONO ENVIRONMENTAL EDUCATION CENTER-RCN +14322|Russian Education and Society|Social Sciences, general / Education; Éducation|1060-9393|Monthly| |M E SHARPE INC +14323|Russian Entomological Journal| |0132-8069|Quarterly| |KMK SCIENTIFIC PRESS LTD +14324|Russian Geology and Geophysics|Geosciences / Geology; Geophysics; Geologie; Geofysica|1068-7971|Monthly| |ELSEVIER SCIENCE BV +14325|Russian History-Histoire Russe| |0094-288X|Quarterly| |BRILL ACADEMIC PUBLISHERS +14326|Russian Journal of Applied Chemistry|Chemistry / Chemistry, Technical|1070-4272|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14327|Russian Journal of Bioorganic Chemistry|Chemistry / Bioorganic chemistry; Biochemistry|1068-1620|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14328|Russian Journal of Cardiology|Clinical Medicine|1560-4071|Bimonthly| |SILICEA-POLIGRAF +14329|Russian Journal of Coordination Chemistry|Chemistry / Coordination compounds; Composés de coordination|1070-3284|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14330|Russian Journal of Developmental Biology|Molecular Biology & Genetics / Developmental biology; Embryology; Developmental Biology|1062-3604|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14331|Russian Journal of Ecology|Environment/Ecology / Ecology; Natural history|1067-4136|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14332|Russian Journal of Electrochemistry|Chemistry / Electrochemistry; Elektrochemie|1023-1935|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14333|Russian Journal of General Chemistry|Chemistry / Chemistry|1070-3632|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14334|Russian Journal of Genetics|Molecular Biology & Genetics / Genetics|1022-7954|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14335|Russian Journal of Herpetology| |1026-2296|Tri-annual| |FOLIUM PUBL CO +14336|Russian Journal of Inorganic Chemistry|Chemistry / Chemistry, Inorganic; Chemistry; Chimie inorganique|0036-0236|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14337|Russian Journal of Marine Biology|Plant & Animal Science / Marine biology|1063-0740|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14338|Russian Journal of Mathematical Physics|Physics / Mathematical physics|1061-9208|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14339|Russian Journal of Nematology|Plant & Animal Science|0869-6918|Semiannual| |Russian Academy of Science +14340|Russian Journal of Non-Ferrous Metals|Materials Science / Nonferrous metals; Nonferrous metal industries|1067-8212|Bimonthly| |ALLERTON PRESS INC +14341|Russian Journal of Nondestructive Testing|Materials Science / Nondestructive testing|1061-8309|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14342|Russian Journal of Numerical Analysis and Mathematical Modelling|Engineering / Numerical analysis; Mathematical models|0927-6467|Bimonthly| |WALTER DE GRUYTER & CO +14343|Russian Journal of Organic Chemistry|Chemistry / Chemistry, Organic|1070-4280|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14344|Russian Journal of Pacific Geology|Geosciences /|1819-7140|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14345|Russian Journal of Physical Chemistry A|Chemistry / Chemistry, Physical and theoretical; Chemistry; Physics; Chimie physique et théorique / Chemistry, Physical and theoretical; Chemistry; Physics; Chimie physique et théorique|0036-0244|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14346|Russian Journal of Physical Chemistry B|Chemistry /|1990-7931|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14347|Russian Journal of Plant Physiology|Plant & Animal Science / Plant physiology|1021-4437|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14348|Russian Journal of Theriology| |1682-3559|Semiannual| |KMK SCIENTIFIC PRESS LTD +14349|Russian Linguistics|Russian language|0304-3487|Tri-annual| |SPRINGER +14350|Russian Literature|Russian literature; Slavic literature; Slavische talen|0304-3479|Bimonthly| |ELSEVIER SCIENCE BV +14351|Russian Mathematical Surveys|Mathematics / Mathematics; Mathematicians; Wiskunde; Mathématiques; Mathématiciens|0036-0279|Bimonthly| |IOP PUBLISHING LTD +14352|Russian Meteorology and Hydrology|Geosciences / Meteorology; Hydrology|1068-3739|Monthly| |ALLERTON PRESS INC +14353|Russian Microelectronics|Microelectronics|1063-7397|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14354|Russian Physics Journal|Physics / Physics|1064-8887|Monthly| |SPRINGER +14355|Russian Politics and Law|Social Sciences, general / Law|1061-1940|Bimonthly| |M E SHARPE INC +14356|Russian Review| |0036-0341|Quarterly| |WILEY-BLACKWELL PUBLISHING +14357|Russian Studies in Literature|Literature|1061-1975|Quarterly| |M E SHARPE INC +14358|Russian Studies in Philosophy|Social Sciences, general / Philosophy; Philosophy, Russian|1061-1967|Quarterly| |M E SHARPE INC +14359|Russkaia Literatura| |0131-6095|Quarterly| |IZDATELSTVO NAUKA +14360|Rutgers Law Review|Social Sciences, general|0036-0465|Quarterly| |RUTGERS UNIV +14361|Ruthenica| |0136-0027|Semiannual| |RUTHENICA +14362|Rutilans| |1292-7759|Tri-annual| |ASSOC COLEOPT AMAT FRANCE +14363|Rybnoe Khozyaistvo| |0131-6184|Bimonthly| |AGROPROMIZDAT +14364|Rynek Energii|Engineering|1425-5960|Bimonthly| |KAPRINT +14365|S C R O Annual Report| |1494-7617|Annual| |SOC CONSERVATION RESEARCH OWLS +14366|Sabah Society Journal| |0036-2131|Annual| |SABAH SOC +14367|Sabrao Journal of Breeding and Genetics|Agricultural Sciences|1029-7073|Semiannual| |EMILUZ PRINTING INDUSTRIES INC +14368|Sabulosi| |2072-0475|Irregular| |NATURHISTORISCHES MUSEUM-VIENNA +14369|Sacred Music| |0036-2255|Quarterly| |CHURCH MUSIC ASSOC AMER +14370|Sadhana-Academy Proceedings in Engineering Sciences|Engineering / Engineering; Technology|0256-2499|Bimonthly| |INDIAN ACAD SCIENCES +14371|Saechsische Entomologische Zeitschrift| | |Annual| |NABU LANDESVERBAND SACHSEN E V +14372|Saeculum| |0080-5319|Semiannual| |BOEHLAU VERLAG GMBH & CIE +14373|Saeugetierkundliche Informationen| |0323-8563|Annual| |M GOERNER +14374|Saeugetierkundliche Mitteilungen| |0036-2344|Irregular| |INST SAEUGETIERKUNDE +14375|Safety Science|Engineering / Industrial accidents; Accident Prevention; Safety|0925-7535|Monthly| |ELSEVIER SCIENCE BV +14376|Sahara| |1120-5679|Annual| |PYRAMIDS SNC +14377|Sahara J-Journal of Social Aspects of Hiv-Aids|Social Sciences, general|1729-0376|Tri-annual| |SA MEDICAL ASSOC HEALTH & MEDICAL PUBL GROUP +14378|Sahlbergia| |1237-3273|Semiannual| |FINNISH MUSEUM NATURAL HISTORY +14379|Saiga News| | |Semiannual| |IMPERIAL COLL LONDON +14380|Saikaku Tsushin| |1346-0951|Semiannual| |JAPANESE SOC SCARABAEOIDEANS +14381|Sains Malaysiana|Microbiology|0126-6039|Quarterly| |UNIV KEBANGSAAN MALAYSIA +14382|Saito Ho-On Kai Museum of Natural History Research Bulletin| |0375-1821|Irregular| |SAITO HO-ON KAI MUSEUM NATURAL HISTORY +14383|Sajog-South African Journal of Obstetrics and Gynaecology|Clinical Medicine|0038-2329|Tri-annual| |SA MEDICAL ASSOC HEALTH & MEDICAL PUBL GROUP +14384|Salamandra|Plant & Animal Science|0036-3375|Quarterly| |DEUTSCHE GESELLSCHAFT HERPETOLOGIE TERRARIENKUNDE E V +14385|Saldvie| |1576-6454|Annual| |UNIV ZARAGOZA +14386|Sales & Marketing Management| |0163-7517|Monthly| |NIELSEN BUSINESS MEDIA +14387|Saline Systems|Marine ecology; Saline waters; Salt lake ecology; Alkali lands; Halophilic organisms; Marine Biology; Water Microbiology; Sodium Chloride|1746-1448|Irregular| |BIOMED CENTRAL LTD +14388|Salmagundi-A Quarterly of the Humanities and Social Sciences| |0036-3529|Quarterly| |SALMAGUNDI +14389|Salud Colectiva|Social Sciences, general|1669-2381|Tri-annual| |SALUD COLECTIVA CENTRO ESTUDIOS SALUD +14390|Salud I Ciencia|Clinical Medicine|1667-8982|Bimonthly| |SOC IBEROAMERICANA INFORMACION CIENTIFICA-S I I C +14391|Salud Mental|Psychiatry/Psychology|0185-3325|Bimonthly| |INST MEX PSIQUIATRIA +14392|Salud Pública de México|Social Sciences, general /|0036-3634|Bimonthly| |INST NACIONAL SALUD PUBLICA +14393|Salusvita| |0101-9910|Annual| |EDUSC EDITORA UNIV SAGRADO CORACA +14394|Samj South African Medical Journal|Clinical Medicine|0256-9574|Monthly| |SA MEDICAL ASSOC +14395|Sampe Journal|Materials Science|0091-1062|Bimonthly| |SAMPE PUBLISHERS +14396|San Francisco Estuary & Watershed Science| |1546-2366|Tri-annual| |SAN FRANCISCO BAY-DELTA SCIENCE CONSORTIUM +14397|Sandgrouse| |0260-4736|Semiannual| |ORNITHOLOGICAL SOC MIDDLE EAST +14398|Sandnats| |1367-7039|Tri-annual| |SANDWELL VALLEY NATURALISTS CLUB +14399|Sang Thrombose Vaisseaux|Clinical Medicine|0999-7385|Monthly| |JOHN LIBBEY EUROTEXT LTD +14400|Sankhya| |0036-4452|Quarterly| |SCIENTIFIC PUBL-INDIA +14401|Santa Barbara Museum of Natural History Contributions in Science| |0099-5894|Irregular| |SANTA BARBARA MUSEUM NATURAL HISTORY +14402|Santé Publique|Social Sciences, general /|0995-3914|Bimonthly| |SOC FRANCAISE SANTE PUBLIQUE +14403|Sao Paulo Instituto de Pesca Boletim Tecnico| |0103-1767|Irregular| |INST PESCA +14404|Sao Paulo Instituto Geologico Boletim| |0100-431X|Irregular| |INST GEOLOGICO CENTRO ESTADUAL AGRICULTURA +14405|Sao Paulo Medical Journal|Clinical Medicine / Medicine; Science|1516-3180|Bimonthly| |ASSOCIACAO PAULISTA MEDICINA +14406|Sapporo Medical Journal| |0036-472X|Bimonthly| |SAPPORO MEDICAL UNIV +14407|SAR and QSAR in Environmental Research|Chemistry / Structure-activity relationships (Biochemistry); QSAR (Biochemistry); Environment; Environmental Pollutants; Structure-Activity Relationship|1062-936X|Bimonthly| |TAYLOR & FRANCIS LTD +14408|Sarawak Museum Journal| |0375-3050|Annual| |SARAWAK MUSEUM DEPT +14409|Sarcoidosis Vasculitis and Diffuse Lung Diseases|Clinical Medicine|1124-0490|Tri-annual| |FONDAZIONE PNEUMOLOGIA U I P ONLUS +14410|Sarcoma|Sarcoma|1357-714X|Quarterly| |HINDAWI PUBLISHING CORPORATION +14411|Satu Mare Studii Si Comunicare Seria Stiintele Naturale| |1582-201X|Annual| |SATU MARE STUDII SI COMUNICARE SERIA STIINTELE NATURALE +14412|Saturnafrica| | |Irregular| |UBAENA +14413|Saúde e Sociedade|Social Sciences, general /|0104-1290|Quarterly| |UNIV SAO PAULO +14414|Saudi Journal of Biological Sciences| |1319-562X|Semiannual| |SAUDI BIOLOGICAL SOC +14415|Saudi Medical Journal|Clinical Medicine|0379-5284|Monthly| |SAUDI MED J +14416|Saudi Pharmaceutical Journal| |1319-0164|Quarterly| |SAUDI PHARMACEUTICAL SOC +14417|Sauria| |0176-9391|Quarterly| |TERRARIENGEMEINSCHAFT BERLIN E.V. +14418|Saussurea| |0373-2525|Irregular| |SOC BOTANIQUE GENEVE +14419|Sbornik Geologickych Ved Antropozoikum| |0036-5270|Irregular| |CZECH GEOLOGICAL SURVEY +14420|Sbornik Jihoceskeho Muzea V Ceskych Budejovicich Prirodni Vedy| |0139-8172|Tri-annual| |JIHOCESKE MUZEUM +14421|Sbornik Mathematics|Mathematics / Mathematics; Wiskunde; Mathématiques / Mathematics; Wiskunde; Mathématiques|1064-5616|Bimonthly| |IOP PUBLISHING LTD +14422|Sbornik Narodniho Muzea V Praze Rada B Prirodni Vedy| |0036-5343|Quarterly| |VYDAVA NARODNI MUZEUM +14423|Sbornik Severoceskeho Muzea Prirodni Vedy Scientiae Naturales| |0375-1686|Irregular| |SEVEROCESKE MUSEUM +14424|Sbornik Trudov Zoologicheskogo Muzeya Mgu| |0134-8647|Irregular| |KMK SCIENTIFIC PRESS LTD +14425|Sbornik Zapadoceskeho Muzea V Plzni Priroda| |0232-0738|Irregular| |ZAPADOCESKE MUZEUM +14426|Scandia| |0036-5483|Semiannual| |SCANDIA +14427|Scandinavian Actuarial Journal|Economics & Business / Insurance, Life; Insurance; Verzekeringswezen|0346-1238|Bimonthly| |TAYLOR & FRANCIS LTD +14428|Scandinavian Cardiovascular Journal|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases; Hart en bloedvaten; Borstkas; Chirurgie (geneeskunde)|1401-7431|Bimonthly| |TAYLOR & FRANCIS AS +14429|Scandinavian Journal of Caring Sciences|Social Sciences, general / Nursing; Therapeutics|0283-9318|Quarterly| |WILEY-BLACKWELL PUBLISHING +14430|Scandinavian Journal of Clinical & Laboratory Investigation|Clinical Medicine / Pathology; Clinical medicine; Research; Klinische pathologie|0036-5513|Bimonthly| |TAYLOR & FRANCIS AS +14431|Scandinavian Journal of Economics|Economics & Business / Economics; Economie / Economics; Economie|0347-0520|Quarterly| |WILEY-BLACKWELL PUBLISHING +14432|Scandinavian Journal of Educational Research|Social Sciences, general / Education; Onderwijs; Pedagogiek; Éducation|0031-3831|Bimonthly| |ROUTLEDGE JOURNALS +14433|Scandinavian Journal of Forest Research|Plant & Animal Science / Forests and forestry|0282-7581|Bimonthly| |TAYLOR & FRANCIS AS +14434|Scandinavian Journal of Gastroenterology|Clinical Medicine / Gastroenterology; Digestive organs; Gastroentérologie; Spijsvertering|0036-5521|Monthly| |TAYLOR & FRANCIS AS +14435|Scandinavian Journal of History| |0346-8755|Quarterly| |TAYLOR & FRANCIS AS +14436|Scandinavian Journal of Hospitality and Tourism|Economics & Business /|1502-2250|Quarterly| |ROUTLEDGE JOURNALS +14437|Scandinavian Journal of Immunology|Immunology / Immunology; Allergy and Immunology|0300-9475|Monthly| |WILEY-BLACKWELL PUBLISHING +14438|Scandinavian Journal of Infectious Diseases|Immunology / Communicable diseases; Clinical medicine; Communicable Diseases; Maladies infectieuses; Infectieziekten|0036-5548|Monthly| |TAYLOR & FRANCIS AS +14439|Scandinavian Journal of Laboratory Animal Science|Plant & Animal Science|0901-3393|Quarterly| |SCANDINAVIAN FEDERATION LABORATORY ANIMAL SCIENCE +14440|Scandinavian Journal of Management|Economics & Business / Industrial management|0956-5221|Quarterly| |ELSEVIER SCI LTD +14441|Scandinavian Journal of Medicine & Science in Sports|Clinical Medicine / Sports medicine; Sports; Athletic Injuries; Sports Medicine|0905-7188|Quarterly| |WILEY-BLACKWELL PUBLISHING +14442|Scandinavian Journal of Occupational Therapy|Clinical Medicine / Occupational therapy; Occupational Therapy; Ergothérapie; Ergotherapie; Rehabilitatie|1103-8128|Quarterly| |INFORMA HEALTHCARE +14443|Scandinavian Journal of Plastic and Reconstructive Surgery and Hand Surgery|Clinical Medicine / Surgery, Plastic; Hand; Plastische chirurgie; Reconstructieve chirurgie; Handen; Main; Chirurgie plastique|0284-4311|Bimonthly| |TAYLOR & FRANCIS AS +14444|Scandinavian Journal of Primary Health Care|Clinical Medicine / Primary health care; Primary Health Care; Eerstelijnszorg; Gezondheidszorg|0281-3432|Quarterly| |TAYLOR & FRANCIS AS +14445|Scandinavian Journal of Psychology|Psychiatry/Psychology / Psychology / Psychology|0036-5564|Quarterly| |WILEY-BLACKWELL PUBLISHING +14446|Scandinavian Journal of Public Health|Clinical Medicine / Public health; Social medicine; Social Medicine; Public Health|1403-4948|Bimonthly| |SAGE PUBLICATIONS LTD +14447|Scandinavian Journal of Rheumatology|Clinical Medicine / Rheumatology; Arthritis; Rheumatic Diseases|0300-9742|Bimonthly| |TAYLOR & FRANCIS AS +14448|Scandinavian Journal of Statistics|Mathematics / Mathematical statistics; Statistics|0303-6898|Quarterly| |WILEY-BLACKWELL PUBLISHING +14449|Scandinavian Journal of Surgery|Clinical Medicine|1457-4969|Quarterly| |FINNISH SURGICAL SOC +14450|Scandinavian Journal of the Old Testament| |0901-8328|Semiannual| |ROUTLEDGE JOURNALS +14451|Scandinavian Journal of Urology and Nephrology|Clinical Medicine / Urology; Genitourinary organs; Nephrology; Kidneys; Nephrosis; Urologie|0036-5599|Quarterly| |TAYLOR & FRANCIS AS +14452|Scandinavian Journal of Work Environment & Health|Clinical Medicine|0355-3140|Bimonthly| |SCANDINAVIAN JOURNAL WORK ENVIRONMENT & HEALTH +14453|Scandinavian Political Studies|Social Sciences, general / Overheidsbeleid|0080-6757|Quarterly| |WILEY-BLACKWELL PUBLISHING +14454|Scandinavian Studies| |0036-5637|Quarterly| |SOC ADVANCEMENT SCAND STUD +14455|Scandinavica| |0036-5653|Semiannual| |UNIV EAST ANGLIA +14456|Scanning|Physics / Scanning electron microscopy; Microscopy, Electron, Scanning; Optics|0161-0457|Bimonthly| |JOHN WILEY & SONS INC +14457|Scelionidae-Hymenoptera| | | | |UNIV DEGLI STUDI PALERMO +14458|Schildkroeten Im Fokus| | |Quarterly| |DAUVI VERLAG +14459|Schizophrenia Bulletin|Psychiatry/Psychology / Schizophrenia|0586-7614|Bimonthly| |OXFORD UNIV PRESS +14460|Schizophrenia Research|Psychiatry/Psychology / Schizophrenia; Schizofrenie|0920-9964|Monthly| |ELSEVIER SCIENCE BV +14461|Schlechtendalia| |1436-2317|Irregular| |MARTIN-LUTHER-UNIV HALLE-WITTENBERG +14462|Schmerz|Clinical Medicine / Pain; Douleur; Analgesie|0932-433X|Bimonthly| |SPRINGER +14463|Schola Biotheoretica| |1736-4167|Annual| |EESTI LOODUSEUURIJATE SELTS +14464|Scholarly Research Exchange| |1687-8302|Irregular| |HINDAWI PUBLISHING CORPORATION +14465|School and Society| |0036-6455|Monthly| |SOC ADVANCEMENT EDUC +14466|School Effectiveness and School Improvement|Social Sciences, general / Schools; School management and organization|0924-3453|Quarterly| |ROUTLEDGE JOURNALS +14467|School Psychology International|Psychiatry/Psychology / Educational psychology; School psychology|0143-0343|Quarterly| |SAGE PUBLICATIONS LTD +14468|School Psychology Quarterly|Psychiatry/Psychology / School psychology; School psychologists; Psychology, Educational; Psychologie scolaire; Psychologues scolaires|1045-3830|Quarterly| |AMER PSYCHOLOGICAL ASSOC +14469|School Psychology Review|Psychiatry/Psychology|0279-6015|Quarterly| |NATL ASSOC SCHOOL PSYCHOLOGISTS +14470|Schriften des Naturwissenschaftlichen Vereins fuer Schleswig-Holstein| |0077-6165|Annual| |NATURWISSENSCHAFTLICHER VEREIN SCHLESWIG-HOLSTEIN E V +14471|Schriften zur Malakozoologie aus dem Haus der Natur-Cismar| |0936-2959|Irregular| |HAUS NATUR - CISMAR +14472|Schriftenreihe des Bundesministeriums fuer Verbraucherschutz Ernaehrung und Landwirtschaft Reihe A Angewandte Wissenschaft| |1867-7142|Irregular| |LANDWIRTSCHAFTSVERLAG GMBH +14473|Schriftenreihe fuer Landschaftspflege und Naturschutz| |0341-7026|Irregular| |LANDWIRTSCHAFTSVERLAG GMBH +14474|Schubartiana| |1861-0366|Irregular| |ARBEITSGRUPPE DEUTSCHSPRACHIGER MYRIAPODOLOGEN +14475|Schweizer Apothekerzeitung| |1420-4932|Irregular| |SOC SUISSE PHARMACIE +14476|Schweizer Archiv fur Neurologie und Psychiatrie| |0258-7661|Bimonthly| |ORELL FUSSLI AG +14477|Schweizer Archiv fur Tierheilkunde|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0036-7281|Monthly| |VERLAG HANS HUBER +14478|Schweizerische Palaeontologische Abhandlungen| |0080-7389|Irregular| |KOMMISSION DER SCHWEIZERISCHEN PALAEONTOLOGISCHEN ABHANDLUNGEN +14479|Schweizerische Rundschau fur Medizin Praxis|Clinical Medicine|1661-8157|Weekly| |VERLAG HANS HUBER HOGREFE AG +14480|Schweizerisches Archiv fur Volkskunde| |0036-794X|Semiannual| |G KREBS VERLAGSBUCHHANDLUNG AG +14481|Science|Multidisciplinary / Science; Natuurwetenschappen; Sciences|0036-8075|Weekly| |AMER ASSOC ADVANCEMENT SCIENCE +14482|Science & Education|Social Sciences, general / Science; Mathematics|0926-7220|Quarterly| |SPRINGER +14483|Science & Government Report| |0048-9581|Semimonthly| |FROST & SULLIVAN +14484|Science & Justice|Clinical Medicine / Forensic sciences; Criminal investigation; Forensic Medicine; Jurisprudence|1355-0306|Quarterly| |ELSEVIER SCI LTD +14485|Science & Society|Social Sciences, general / Social sciences; Socialism; Social Sciences; Marxisme; Sciences sociales; Socialisme; MARXISM; SOCIALISM|0036-8237|Quarterly| |GUILFORD PUBLICATIONS INC +14486|Science & Sports|Clinical Medicine / Sports sciences; Sports Medicine|0765-1597|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +14487|Science & Technology Libraries|Social Sciences, general / Science and technology libraries; Wetenschappelijke bibliotheken; Natuurwetenschappen; Techniek; Sciences; Technologie|0194-262X|Quarterly| |HAWORTH PRESS INC +14488|Science and Culture| |0036-8156|Monthly| |INDIAN SCIENCE NEWS ASSOC +14489|Science and Engineering Ethics|Science; Engineering ethics; Engineering; Ethics; Ethics, Professional; Research; Sciences; Ingénierie|1353-3452|Quarterly| |SPRINGER +14490|Science and Engineering of Composite Materials|Materials Science|0334-181X|Bimonthly| |FREUND PUBLISHING HOUSE LTD +14491|Science and Public Policy|Science; International Cooperation; Research; Social Planning; Technology|0302-3427|Monthly| |BEECH TREE PUBLISHING +14492|Science and Technology of Advanced Materials|Materials Science / Materials|1468-6996|Bimonthly| |IOP PUBLISHING LTD +14493|Science and Technology of Energetic Materials|Engineering|1347-9466|Bimonthly| |JAPAN EXPLOSIVES SOC +14494|Science and Technology of Welding and Joining|Materials Science / Welding; Joints (Engineering)|1362-1718|Bimonthly| |MANEY PUBLISHING +14495|Science Bulletin of the Faculty of Agriculture Kyushu University| |1347-0159|Quarterly| |KYUSHU UNIV +14496|Science China-Chemistry|Chemistry /|1674-7291|Monthly| |SCIENCE CHINA PRESS +14497|Science China-Earth Sciences|Geosciences / Earth sciences|1674-7313|Monthly| |SCIENCE CHINA PRESS +14498|Science China-Information Sciences|Computer Science /|1674-733X|Monthly| |SCIENCE CHINA PRESS +14499|Science China-Life Sciences|Biology & Biochemistry / Life sciences; Biological Sciences|1674-7305|Monthly| |SCIENCE CHINA PRESS +14500|Science China-Mathematics|Mathematics / Mathematics; Physics; Astronomy|1674-7283|Monthly| |SCIENCE CHINA PRESS +14501|Science China-Physics Mechanics & Astronomy|Space Science /|1674-7348|Monthly| |SCIENCE CHINA PRESS +14502|Science China-Technological Sciences|Engineering / Technology|1674-7321|Monthly| |SCIENCE CHINA PRESS +14503|Science Communication|Social Sciences, general / Communication in science; Communication of technical information; Communication in the social sciences; Communication in medicine|1075-5470|Quarterly| |SAGE PUBLICATIONS INC +14504|Science Education|Social Sciences, general / Science; Natuurwetenschappen; Exacte wetenschappen; Technische wetenschappen; Onderwijsresearch|0036-8326|Bimonthly| |JOHN WILEY & SONS INC +14505|Science et Changements Planetaires-Secheresse| |1147-7806|Quarterly| |JOHN LIBBEY EUROTEXT LTD +14506|Science for Conservation-Wellington| |1173-2946|Irregular| |DEPARTMENT CONSERVATION +14507|Science in Context|Social Sciences, general / Science; Historical sociology; Knowledge, Theory of; Natuurwetenschappen; Filosofie; Sciences; Sociologie historique; Connaissance, Théorie de la|0269-8897|Quarterly| |CAMBRIDGE UNIV PRESS +14508|Science in New Guinea| |0310-4303|Tri-annual| |UNIV PAPUA NEW GUINEA +14509|Science International-Lahore| |1013-5316|Quarterly| |PUBLICATIONS INT +14510|Science Journal of Kanagawa University| |1880-0483|Irregular| |KANAGAWA UNIV +14511|Science Museum of Minnesota Monograph| | |Irregular| |SCIENCE MUSEUM MINNESOTA +14512|Science of Computer Programming|Computer Science / Computer programming|0167-6423|Monthly| |ELSEVIER SCIENCE BV +14513|Science of Sintering|Materials Science / Powder metallurgy; Sintering|0350-820X|Tri-annual| |INT INST SCIENCE SINTERING (I I S S) +14514|Science of the Total Environment|Environment/Ecology / Environmental chemistry; Environmental health; Human ecology; Environment; Environmental Health; Research / Environmental chemistry; Environmental health; Human ecology; Environment; Environmental Health; Research|0048-9697|Semimonthly| |ELSEVIER SCIENCE BV +14515|Science Progress|Science; Research|0036-8504|Quarterly| |SCIENCE REVIEWS 2000 LTD +14516|Science Report of the Toyohashi Museum of Natural History| |0917-1703|Annual| |TOYOHASHI MUSEUM NATURAL HISTORY +14517|Science Report of the Yokosuka City Museum| |0513-2622|Annual| |YOKUSUKA CITY MUSEUM +14518|Science Reports Department of Earth and Planetary Sciences Kyushu University| |0916-7315|Irregular| |KYUSHU UNIV +14519|Science Reports of Kanazawa University| |0022-8338|Semiannual| |KANAZAWA UNIV +14520|Science Reports of Niigata University Geology| |1349-1237|Annual| |NIIGATA UNIV +14521|Science Reports of the Institute of Geoscience University of Tsukuba Section B Geological Sciences| |0388-6182|Annual| |UNIV TSUKUBA +14522|Science Reports of the Tohoku University Fourth Series-Biology| |0040-8786|Irregular| |TOHOKU UNIV +14523|Science Reports of the Tohoku University Second Series-Geology| |0082-464X|Semiannual| |TOHOKU UNIV +14524|Science Series Data Report| | |Irregular| |CENTRE ENVIRONMENT +14525|Science Signaling|Molecular Biology & Genetics /|1937-9145|Weekly| |AMER ASSOC ADVANCEMENT SCIENCE +14526|Science Technology & Human Values|Social Sciences, general / Science; Technology; Humanities; Social Values; Natuurwetenschappen / Science; Technology; Humanities; Social Values; Natuurwetenschappen|0162-2439|Quarterly| |SAGE PUBLICATIONS INC +14527|Science Translational Medicine| |1946-6234|Weekly| |AMER ASSOC ADVANCEMENT SCIENCE +14528|Science World Journal| |1597-6343|Quarterly| |KADUNA STATE UNIV +14529|Science-Fiction Studies| |0091-7729|Tri-annual| |SCIENCE-FICTION STUDIES +14530|ScienceAsia|Multidisciplinary / Science; Research|1513-1874|Quarterly| |THAILANDS NATL SCIENCE & TECHNOLOGY DEVELOPMENT AGENCY +14531|Sciences des Aliments|Agricultural Sciences / Food; Food Technology|0240-8813|Bimonthly| |LAVOISIER +14532|Sciences et Techniques de L Animal de Laboratoire|Plant & Animal Science|0339-722X|Quarterly| |SOC FRANCAISE EXPERIMENTATION ANIMALE +14533|Sciences Sociales et Sante|Social Sciences, general|0294-0337|Quarterly| |JOHN LIBBEY EUROTEXT LTD +14534|Scientia Agricola|Agricultural Sciences / Agriculture; Agronomy; Livestock|0103-9016|Bimonthly| |UNIV SAO PAOLO +14535|Scientia Agricultura Sinica| |0578-1752|Monthly| |CHINA INT BOOK TRADING CORP +14536|Scientia Cucba| |1665-8493|Semiannual| |UNIV GUADALAJARA +14537|Scientia Discipulorum| | |Annual| |PLATTSBURGH STATE UNIV +14538|Scientia Forestalis|Plant & Animal Science|1413-9324|Quarterly| |IPEF-INST PESQUISAS ESTUDOS FLORESTAIS +14539|Scientia Gerundensis| |0213-5930|Annual| |UNIV GIRONA +14540|Scientia Guaianae| |0798-1120|Annual| |OTTO HUBER +14541|Scientia Horticulturae|Plant & Animal Science / Horticulture|0304-4238|Monthly| |ELSEVIER SCIENCE BV +14542|Scientia Iranica Transaction A-Civil Engineering|Engineering|1026-3098|Bimonthly| |SHARIF UNIV TECH +14543|Scientia Iranica Transaction B-Mechanical Engineering|Engineering|1026-3098|Bimonthly| |SHARIF UNIV TECH +14544|Scientia Iranica Transaction C-Chemistry and Chemical Engineering|Chemistry|1026-3098|Semiannual| |SHARIF UNIV TECH +14545|Scientia Iranica Transaction D-Computer Science & Engineering and Electrical Engineering|Engineering|1026-3098|Semiannual| |SHARIF UNIV TECH +14546|Scientia Iranica Transaction E-Industrial Engineering|Engineering|1026-3098|Semiannual| |SHARIF UNIV TECH +14547|Scientia Marina|Plant & Animal Science / Marine biology; Marine sciences|0214-8358|Quarterly| |INST CIENCIAS MAR BARCELONA +14548|Scientia Parasitologica| |1582-1366|Semiannual| |FUNDATIA SCIENTIA PARASITOLOGICA PRO VITA +14549|Scientia Pharmaceutica|Pharmacy; Pharmacology|0036-8709|Quarterly| |OESTERREICHISCHE APOTHEKER-VERLAGSGESELLSCHAFT MBH +14550|Scientia Silvae Sinicae| |1001-7488|Bimonthly| |CHINA INT BOOK TRADING CORP +14551|Scientific American|Multidisciplinary /|0036-8733|Monthly| |NATURE PUBLISHING GROUP +14552|Scientific Khyber| |1017-3471|Semiannual| |UNIV PESHAWAR +14553|Scientific Monthly| |0096-3771|Monthly| |AMER ASSOC ADVANCEMENT SCIENCE +14554|Scientific Papers Natural History Museum the University of Kansas| |1094-0782|Irregular| |NATURAL HISTORY MUSEUM +14555|Scientific Programming|Computer Science|1058-9244|Quarterly| |IOS PRESS +14556|Scientific Publications of the Science Museum of Minnesota| |0161-4452|Irregular| |SCIENCE MUSEUM MINNESOTA +14557|Scientific Report of the Graduate School of Agriculture and Biological Sciences Osaka Prefecture University| |1346-1575|Annual| |OSAKA PREFECTURE UNIV +14558|Scientific Reports of Hokkaido Fisheries Experimental Station| |0914-6830|Semiannual| |HOKKAIDO CENTRAL FISHERIES EXPERIMENTAL STATION +14559|Scientific Reports of Kyoto Prefectural University Life and Environmental Sciences| |1882-6946|Annual| |KYOTO PREFECTURAL UNIV FORESTS +14560|Scientific Reports of the Faculty of Agriculture Meijo University| |0910-3376|Annual| |MEIJO UNIV +14561|Scientific Research and Essays|Multidisciplinary|1992-2248|Monthly| |ACADEMIC JOURNALS +14562|Scientific Studies of Reading|Social Sciences, general / Reading|1088-8438|Quarterly| |ROUTLEDGE JOURNALS +14563|Scientifica Acta| |1973-5219|Quarterly| |UNIV DEGLI STUDI PAVIA +14564|Scientist| |0890-3670|Semimonthly| |SCIENTIST INC +14565|Scientometrics|Social Sciences, general / Science; Science indicators; Science and state; Evaluation Studies; Public Policy; Systems Analysis; Sciences; Indicateurs scientifiques; Politique scientifique et technique|0138-9130|Monthly| |SPRINGER +14566|Scissortail| |0582-2637|Quarterly| |OKLAHOMA ORNITHOLOGICAL SOC +14567|Scitech Book News| |0196-6006|Quarterly| |BOOK NEWS INC +14568|Scopolia| |0351-0077|Irregular| |PRIRODOSLOVNI MUSEJ SLOVENIJE +14569|Scopus| |0250-4162|Semiannual| |EAST AFRICAN NATURAL HISTORY SOC +14570|Scorpion Files Occasional Papers| |1504-7342|Irregular| |MEDICAL LIBRARY & INFORMATION CTR-UBIT +14571|Scottish Birds| |0036-9144|Semiannual| |SCOTTISH ORNITHOLOGISTS CLUB-SOC +14572|Scottish Fisheries Research Report| |0308-8022|Irregular| |SCOTTISH OFFICE +14573|Scottish Forestry| |0036-9217|Quarterly| |ROYAL SCOTTISH FORESTRY SOC-RSFS +14574|Scottish Geographical Journal|Social Sciences, general / Geography; Géographie; Geografie|1470-2541|Quarterly| |ROUTLEDGE JOURNALS +14575|Scottish Geographical Magazine| |0036-9225|Tri-annual| |ROYAL SCOTTISH GEOGRAPH SOC +14576|Scottish Historical Review| |0036-9241|Semiannual| |EDINBURGH UNIV PRESS +14577|Scottish Journal of Geology|Geosciences /|0036-9276|Semiannual| |GEOLOGICAL SOC PUBL HOUSE +14578|Scottish Journal of Political Economy|Economics & Business / Economics; Economische politiek; Économie politique|0036-9292|Bimonthly| |WILEY-BLACKWELL PUBLISHING +14579|Scottish Journal of Theology| |0036-9306|Quarterly| |CAMBRIDGE UNIV PRESS +14580|Scottish Literary Review| |1756-5634|Semiannual| |ASSOC SCOTTISH LIT STUD +14581|Scottish Medical Journal|Clinical Medicine|0036-9330|Quarterly| |SCOTTISH MEDICAL JOURNAL +14582|Scottish Natural Heritage Commissioned Report| |1759-4014|Irregular| |SCOTTISH NATURAL HERITAGE +14583|Scottish Naturalist| |0268-3385|Irregular| |SCOTTISH NATURAL HISTORY LIBRARY +14584|Screen|Motion pictures; Television; Film criticism; Identity (Philosophical concept); Critical theory; Poststructuralism; Filmkunst; Télévision; Cinéma|0036-9543|Quarterly| |OXFORD UNIV PRESS +14585|Scriblerian and the Kit-Cats| |0036-9640|Semiannual| |NEW YORK UNIV +14586|Scrip| |0143-7690|Semimonthly| |INFORMA HEALTHCARE +14587|Scripta Biology-Brno| |1211-2836|Annual| |MASARYK UNIV +14588|Scripta Geologica-Leiden| |0375-7587|Irregular| |NATL NATUURHISTORISCH MUSEUM +14589|Scripta Geology-Brno| |1211-281X|Irregular| |MASARYK UNIV +14590|Scripta Materialia|Materials Science / Materials; Metallurgy; Metalen; Legeringen; Materiaalkunde|1359-6462|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +14591|Scripta Musei Geologici Seminarii Barcinonensis| |1135-0105|Annual| |MUSEO GEOLOGICO SEMINARIO BARCELONA +14592|Scripta Nova-Revista Electronica de Geografia Y Ciencias Sociales|Social Sciences, general|1138-9788|Irregular| |UNIV BARCELONA +14593|Scriptorium| |0036-9772|Semiannual| |CULTURA +14594|Scritti Studi E Ricerche Di Storia Naturale Della Repubblica Di San Marino| | |Irregular| |CENTRO NATURALISTICO SAMMARINESE +14595|Sculpture Review| |0747-5284|Quarterly| |NATL SCULPTURE SOC +14596|Sdu Fen Edebiyat Fakultesi Fen Dergisi| | |Semiannual| |SULEYMAN DEMIREL UNIV +14597|Sea Swallow| |0959-4787|Annual| |ROYAL NAVAL BIRDWATCHING SOC +14598|Sea Technology|Engineering|0093-3651|Monthly| |COMPASS PUBLICATIONS +14599|Seabird| |0267-9310|Annual| |SEABIRD GROUP +14600|Seabird Group Newsletter| |0962-5445|Irregular| |SEABIRD GROUP +14601|Searcher-The Magazine for Database Professionals|Social Sciences, general|1070-4795|Monthly| |INFORMATION TODAY INC +14602|Second language Research|Social Sciences, general / Second language acquisition; Language and languages; Tweedetaalverwerving|0267-6583|Quarterly| |SAGE PUBLICATIONS LTD +14603|Securities Regulation Law Journal|Social Sciences, general|0097-9554|Quarterly| |WEST GROUP +14604|Security and Communication Networks|Computer Science / Computer networks; Computer security; Cryptography|1939-0114|Bimonthly| |JOHN WILEY & SONS LTD +14605|Security Dialogue|Social Sciences, general / International relations; Peace; Security, International|0967-0106|Quarterly| |SAGE PUBLICATIONS LTD +14606|Security Journal|Private security services|0955-1662|Quarterly| |PALGRAVE MACMILLAN LTD +14607|Security Studies|Social Sciences, general / National security; World politics; Sécurité nationale; Politique mondiale|0963-6412|Quarterly| |ROUTLEDGE JOURNALS +14608|Sedimentary Geology|Geosciences / Sedimentation and deposition; Sediments (Geology); Rocks, Sedimentary|0037-0738|Monthly| |ELSEVIER SCIENCE BV +14609|Sedimentology|Geosciences /|0037-0746|Bimonthly| |WILEY-BLACKWELL PUBLISHING +14610|Seed Research| |0379-5594|Semiannual| |INDIAN SOC SEED TECHNOLOGY-ISST +14611|Seed Science and Technology|Plant & Animal Science|0251-0952|Tri-annual| |ISTA-INT SEED TESTING ASSOC +14612|Seed Science Research|Plant & Animal Science / Seeds|0960-2585|Quarterly| |CAMBRIDGE UNIV PRESS +14613|Seeing and Perceiving| |1878-4755|Bimonthly| |BRILL ACADEMIC PUBLISHERS +14614|Seevoegel| |0722-2947|Quarterly| |VEREIN JORDSAND ZUM SCHUTZ SEEVOGEL NATUR E V +14615|Sefarad| |0037-0894|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +14616|Seiken Ziho| |0080-8539|Annual| |KIHARA INST BIOLOGICAL RESEARCH +14617|Seismological Research Letters|Geosciences / Earthquakes; Seismologie; Aardbevingen|0895-0695|Bimonthly| |SEISMOLOGICAL SOC AMER +14618|Seizieme Siecle| |1774-4466|Annual| |LIBRAIRIE DROZ SA +14619|Seizure-European Journal of Epilepsy|Clinical Medicine / Epilepsy; Seizures; Epilepsie|1059-1311|Bimonthly| |W B SAUNDERS CO LTD +14620|Sel Skokhozyaistvennaya Biologiya| |0131-6397|Bimonthly| |ROSSIISKAYA AKAD SEL SKOKHOZYAISTVENNYKH NAUK +14621|Selbyana| |0361-185X|Quarterly| |SELBY BOTANICAL GARDENS +14622|Selecta Mathematica-New Series|Mathematics / Mathematics; Wiskunde|1022-1824|Quarterly| |BIRKHAUSER VERLAG AG +14623|Selevinia| |1024-7688|Quarterly| |TETHYS +14624|Self and Identity|Psychiatry/Psychology / Self; Identity (Psychology); Ego; Social Identification; Self Concept|1529-8868|Quarterly| |PSYCHOLOGY PRESS +14625|Semiconductor Science and Technology|Physics / Semiconductors; Halfgeleiders|0268-1242|Monthly| |IOP PUBLISHING LTD +14626|Semiconductors|Physics / Semiconductors|1063-7826|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14627|Semiconductors and Semimetals|Engineering|0080-8784|Semiannual| |ELSEVIER ACADEMIC PRESS INC +14628|Semigroup Forum|Mathematics / Semigroups; Semigroepen|0037-1912|Bimonthly| |SPRINGER +14629|Semina Ciencias Biologicas E Da Saude| |1676-5435|Semiannual| |UNIV ESTADUAL LONDRINA +14630|Semina-Ciencias Agrarias|Agricultural Sciences|1676-546X|Quarterly| |UNIV ESTADUAL LONDRINA +14631|Seminar-A Journal of Germanic Studies|German philology; Germanic philology|0037-1939|Quarterly| |UNIV TORONTO PRESS INC +14632|Seminars in Anesthesia Perioperative Medicine and Pain|Clinical Medicine / Anesthesia; Anesthesiology; Pain|0277-0326|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14633|Seminars in Arthritis and Rheumatism|Clinical Medicine / Arthritis; Rheumatism; Rheumatic Diseases; Arthrite; Rhumatisme; Arthropathie neurogène; Reumatologie|0049-0172|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +14634|Seminars in Cancer Biology|Clinical Medicine / Neoplasms; Review Literature|1044-579X|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +14635|Seminars in Cell & Developmental Biology|Molecular Biology & Genetics / Cytology; Developmental biology; Cells; Developmental Biology / Cytology; Developmental biology; Cells; Developmental Biology|1084-9521|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +14636|Seminars in Cutaneous Medicine and Surgery|Clinical Medicine / Skin; Dermatology; Skin Diseases|1085-5629|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14637|Seminars in Diagnostic Pathology|Clinical Medicine / Diagnosis; Pathology; Pathology, Surgical|0740-2570|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14638|Seminars in Dialysis|Clinical Medicine / Hemodialysis; Dialysis; Renal Dialysis|0894-0959|Quarterly| |WILEY-BLACKWELL PUBLISHING +14639|Seminars in Fetal & Neonatal Medicine|Clinical Medicine / Neonatology; Fetus; Infants; Infant, Newborn, Diseases; Fetal Diseases; Infant Care|1744-165X|Bimonthly| |ELSEVIER SCI LTD +14640|Seminars in Hearing|Hearing disorders; Audiology|0734-0451|Quarterly| |THIEME MEDICAL PUBL INC +14641|Seminars in Hematology|Clinical Medicine / Hematology|0037-1963|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14642|Seminars in Immunology|Immunology / Allergy and Immunology; Immunity|1044-5323|Bimonthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +14643|Seminars in Immunopathology|Clinical Medicine /|1863-2297|Quarterly| |SPRINGER +14644|Seminars in Liver Disease|Clinical Medicine / Liver Diseases|0272-8087|Quarterly| |THIEME MEDICAL PUBL INC +14645|Seminars in Musculoskeletal Radiology|Clinical Medicine /|1089-7860|Quarterly| |THIEME MEDICAL PUBL INC +14646|Seminars in Nephrology|Clinical Medicine / Nephrology|0270-9295|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +14647|Seminars in Neurology|Clinical Medicine / Neurology|0271-8235|Bimonthly| |THIEME MEDICAL PUBL INC +14648|Seminars in Nuclear Medicine|Clinical Medicine / Nuclear Medicine; Nucleaire geneeskunde / Nuclear Medicine; Nucleaire geneeskunde|0001-2998|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14649|Seminars in Oncology|Clinical Medicine / Oncology; Neoplasms|0093-7754|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +14650|Seminars in Pediatric Surgery|Clinical Medicine / Surgical Procedures, Operative; Child; Infant|1055-8586|Quarterly| |ELSEVIER SCIENCE INC +14651|Seminars in Perinatology|Clinical Medicine / Perinatology; Verloskunde|0146-0005|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +14652|Seminars in Radiation Oncology|Clinical Medicine / Tumors; Cancer; Radiotherapy; Radiology; Neoplasms / Tumors; Cancer; Radiotherapy; Radiology; Neoplasms|1053-4296|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14653|Seminars in Reproductive Medicine|Clinical Medicine / Reproductive Medicine|1526-8004|Quarterly| |THIEME MEDICAL PUBL INC +14654|Seminars in Respiratory and Critical Care Medicine|Clinical Medicine / Critical Care; Respiratory System; Respiratory Tract Diseases|1069-3424|Bimonthly| |THIEME MEDICAL PUBL INC +14655|Seminars in Roentgenology|Clinical Medicine / Radiography, Medical; Radiography; Röntgenologie|0037-198X|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14656|Seminars in Speech and Language|Speech disorders; Language disorders; Communicative disorders; Language Disorders; Speech Disorders|0734-0478|Quarterly| |THIEME MEDICAL PUBL INC +14657|Seminars in Surgical Oncology|Clinical Medicine / Cancer; Neoplasms|8756-0437|Bimonthly| |WILEY-LISS +14658|Seminars in Thrombosis and Hemostasis|Clinical Medicine / Hemostasis; Thrombosis; Bloedstolling; Trombose; Hémostase; Thrombose|0094-6176|Bimonthly| |THIEME MEDICAL PUBL INC +14659|Seminars in Ultrasound CT and MRI|Clinical Medicine / Ultrasonic imaging; Magnetic resonance imaging; Tomography; Magnetic Resonance Imaging; Tomography, X-Ray Computed; Ultrasonography|0887-2171|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +14660|Seminars in Vascular Surgery|Clinical Medicine / Vascular Surgical Procedures|0895-7967|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +14661|Semiotica|Semantics; Semiotics|0037-1998|Bimonthly| |WALTER DE GRUYTER & CO +14662|Sen-I Gakkaishi|Chemistry / Textile fibers; Textile fabrics; Textile industry|0037-9875|Monthly| |SOC FIBER SCI TECHNOL +14663|Sendtnera| |0944-0178|Irregular| |BOTANISCHE STAATSSAMMLUNG MUENCHEN +14664|Sensor Letters|Engineering / Detectors; Biosensors; Biosensing Techniques|1546-198X|Quarterly| |AMER SCIENTIFIC PUBLISHERS +14665|Sensor Review|Engineering / Engineering instruments; Detectors|0260-2288|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +14666|Sensornye Sistemy| |0235-0092|Quarterly| |IZDATELSTVO NAUKA +14667|Sensors|Engineering /|1424-8220|Monthly| |MDPI AG +14668|Sensors and Actuators A-Physical|Engineering / Transducers; Actuators; Solid state electronics|0924-4247|Monthly| |ELSEVIER SCIENCE SA +14669|Sensors and Actuators B-Chemical|Engineering / Transducers; Actuators; Solid state electronics|0925-4005|Monthly| |ELSEVIER SCIENCE SA +14670|Sensors and Materials|Materials Science|0914-4935|Bimonthly| |MYU +14671|Seoul Journal of Korean Studies|Social Sciences, general|1225-0201|Semiannual| |KYUJANGGAK INST KOREAN STUD +14672|Separation and Purification Reviews|Engineering / Separation (Technology); Chemicals / Separation (Technology); Chemicals|1542-2119|Semiannual| |TAYLOR & FRANCIS INC +14673|Separation and Purification Technology|Chemistry / Separation (Technology); Gases|1383-5866|Monthly| |ELSEVIER SCIENCE BV +14674|Separation Science and Technology|Chemistry / Separation (Technology); Biochemistry; Chemical Engineering; Séparation (Technologie)|0149-6395|Semimonthly| |TAYLOR & FRANCIS INC +14675|Sepilok Bulletin| |1823-0067|Semiannual| |SABAH FOREST DEPT +14676|Serangga| |1394-5130|Semiannual| |PUSAT SISTEMATIK SERANGGA +14677|Serials Librarian|Social Sciences, general / Serials librarianship; Library Technical Services; Periodicals; Libraries; Bibliotheekbeheer; Seriële publicaties; Publications en série; Bibliothéconomie; SERIAL PUBLICATIONS|0361-526X|Quarterly| |HAWORTH PRESS INC +14678|Serials Review|Social Sciences, general / Periodicals|0098-7913|Quarterly| |ELSEVIER INC +14679|Serie Conservacion de la Naturaleza| |0325-9625|Irregular| |FUNDACION MIGUEL LILLO +14680|Serie Correlacion Geologica| |1514-4186|Irregular| |UNIV NACIONAL TUCUMAN +14681|Series-Journal of the Spanish Economic Association| |1869-4195|Quarterly| |SPRINGER HEIDELBERG +14682|Serket| |1110-502X|Semiannual| |HISHAM K EL-HENNAWY +14683|Service Geologique de Belgique Professional Paper| |0378-0902|Irregular| |SERVICE GEOLOGIQUE BELGIQUE +14684|Service Industries Journal|Economics & Business / Service industries; Dienstensector / Service industries; Dienstensector|0264-2069|Monthly| |ROUTLEDGE JOURNALS +14685|Seshaiyana| |0971-8656|Semiannual| |CENTRE ADVANCED STUDY MARINE BIOLOGY +14686|Sessile Organisms| |1342-4181|Semiannual| |SESSILE ORGANISMS SOC JAPAN +14687|Sessio Conjunta D Entomologia Ichn-Scl| |1134-7783|Irregular| |SOC CATALANA LEPIDOPTEROLOGIA +14688|Set-Valued and Variational Analysis|Mathematics /|1877-0533|Quarterly| |SPRINGER +14689|Seventeenth Century| |0268-117X|Semiannual| |CENTRE SEVENTEENTH CENT STUD UNIV DURHAM +14690|Seventeenth-Century French Studies|French literature; Littérature française|0265-1068|Semiannual| |MANEY PUBLISHING +14691|Sewanee Review| |0037-3052|Quarterly| |JOHNS HOPKINS UNIV PRESS +14692|Sex Roles|Psychiatry/Psychology / Socialization; Sex role; Role; Sex Characteristics; Rollen (sociale wetenschappen); Sekseverschillen; Gelijkheid; Rôle selon le sexe chez l'enfant; Rôle selon le sexe; Socialisation|0360-0025|Monthly| |SPRINGER/PLENUM PUBLISHERS +14693|Sexual Abuse-A Journal of Research and Treatment|Psychiatry/Psychology / Sex offenders; Child Abuse, Sexual; Sex Offenses; Seksuele mishandeling; Hulpverlening; Crimes sexuels; Abus sexuels à l'égard des enfants|1079-0632|Quarterly| |SAGE PUBLICATIONS INC +14694|Sexual Development|Biology & Biochemistry / Sex determination, Genetic; Sex Determination (Genetics); Sex Differentiation|1661-5425|Bimonthly| |KARGER +14695|Sexual Health|Social Sciences, general / HIV Infections; Pregnancy in Adolescence; Reproductive Health; Sexual Behavior; Sexually Transmitted Diseases|1448-5028|Quarterly| |CSIRO PUBLISHING +14696|Sexual Plant Reproduction|Plant & Animal Science / Plants; Plants, Sex in|0934-0882|Quarterly| |SPRINGER +14697|Sexualities|Social Sciences, general / Sex; Sex customs; Sex (Psychology)|1363-4607|Bimonthly| |SAGE PUBLICATIONS INC +14698|Sexuality and Disability|Social Sciences, general / Sex instruction for people with disabilities; Disabled Persons; Mental Disorders; Sex; Sexual Behavior; Sex Disorders; Seksualiteit; Ziekten|0146-1044|Quarterly| |SPRINGER +14699|Sexually Transmitted Diseases|Clinical Medicine / Sexually transmitted diseases; Sexually Transmitted Diseases; Seksueel overdraagbare aandoeningen; Maladies transmises sexuellement / Sexually transmitted diseases; Sexually Transmitted Diseases; Seksueel overdraagbare aandoeningen; M|0148-5717|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +14700|Sexually Transmitted Infections|Clinical Medicine / Sexually transmitted diseases; HIV Infections; Sexually Transmitted Diseases; Seksueel overdraagbare aandoeningen; HIV|1368-4973|Bimonthly| |B M J PUBLISHING GROUP +14701|Sgu Series C Research Papers| |1103-3371|Irregular| |SVERIGES GEOLOGISKA UNDERSOKNING +14702|Shakespeare| |1745-0918|Quarterly| |ROUTLEDGE JOURNALS +14703|Shakespeare Quarterly|Toneelschrijvers; Engels|0037-3222|Quarterly| |JOHNS HOPKINS UNIV PRESS +14704|Shakespeare Survey| |0080-9152|Annual| |CAMBRIDGE UNIV PRESS +14705|Shanghai Haiyang Daxue Xuebao| |1674-5566|Semimonthly| |SHANGHAI OCEAN UNIV +14706|Shanxi Daxue Xuebao Ziran Kexue Ban| |0253-2395|Quarterly| |CHINA INT BOOK TRADING CORP +14707|Sheep & Goat Research Journal| |1535-2587|Tri-annual| |NATL INST ANIMAL AGRICULTURE +14708|Shenandoah| |0037-3583|Tri-annual| |WASHINGTON LEE UNIV +14709|Shengming Kexue Yanjiu| |1007-7847|Quarterly| |HUNAN NORMAL UNIV +14710|Shengwu Duoyangxing|Biodiversity|1005-0094|Bimonthly| |SCIENCE CHINA PRESS +14711|Shenyang Shifan Daxue Xuebao Ziran Kexue Ban| |1673-5862|Quarterly| |SHENYANG NORMAL UNIV +14712|Shetland Bird Report| |1364-4149|Annual| |SHETLAND BIRD CLUB +14713|Shika Igaku| |0030-6150|Quarterly| |OSAKA ODONTOLOGICAL SOC +14714|Shikwa Gakuho| |0037-3710|Irregular| |TOKYO DENTAL COLL SOC +14715|Shilap-Revista de Lepidopterologia|Plant & Animal Science|0300-5267|Quarterly| |SOC HISPANO-LUSO-AMER LEPIDOPTEROLOGIA-SHILAP +14716|Shizenshi-Kenkyu Occasional Papers from the Osaka Museum of Natural History| |0078-6683|Irregular| |OSAKA MUSEUM OF NATURAL HISTORY +14717|Shock|Clinical Medicine / Shock|1073-2322|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +14718|Shock and Vibration|Engineering|1070-9622|Bimonthly| |IOS PRESS +14719|Shock Waves|Engineering / Shock waves|0938-1287|Bimonthly| |SPRINGER +14720|Shuiziyuan Baohu| |1004-6933|Irregular| |WATER RESOURCES PROTECTION +14721|SIAM Journal on Applied Dynamical Systems|Engineering / Mathematical analysis|1536-0040|Quarterly| |SIAM PUBLICATIONS +14722|SIAM Journal on Applied Mathematics|Mathematics / Mathematics|0036-1399|Bimonthly| |SIAM PUBLICATIONS +14723|SIAM Journal on Computing|Computer Science / Electronic data processing; Mathematics; Informatique; Mathématiques|0097-5397|Bimonthly| |SIAM PUBLICATIONS +14724|SIAM Journal on Control and Optimization|Mathematics / Control theory; Mathematical optimization; Commande, Théorie de la; Optimisation mathématique|0363-0129|Bimonthly| |SIAM PUBLICATIONS +14725|SIAM Journal on Discrete Mathematics|Engineering / Computer science; Mathematics; Numerieke wiskunde|0895-4801|Quarterly| |SIAM PUBLICATIONS +14726|SIAM Journal on Imaging Sciences|Image processing; Imaging systems; Computer vision|1936-4954|Quarterly| |SIAM PUBLICATIONS +14727|SIAM Journal on Mathematical Analysis|Mathematics / Mathematical analysis|0036-1410|Bimonthly| |SIAM PUBLICATIONS +14728|SIAM Journal on Matrix Analysis and Applications|Mathematics / Matrices; Mathematics; Toepassingen; Algèbre; Mathématiques|0895-4798|Quarterly| |SIAM PUBLICATIONS +14729|SIAM Journal on Numerical Analysis|Mathematics / Numerical calculations; Numerical analysis|0036-1429|Bimonthly| |SIAM PUBLICATIONS +14730|SIAM Journal on Optimization|Mathematics / Mathematical optimization; Optimaliseren|1052-6234|Quarterly| |SIAM PUBLICATIONS +14731|SIAM Journal on Scientific Computing|Mathematics / Numerical analysis; Mathematical statistics; Science; Algorithmes; Analyse numérique; Mathématiques|1064-8275|Bimonthly| |SIAM PUBLICATIONS +14732|SIAM Review|Mathematics / Mathematics|0036-1445|Quarterly| |SIAM PUBLICATIONS +14733|Siberian Mathematical Journal|Mathematics / Mathematics / Mathematics|0037-4466|Bimonthly| |CONSULTANTS BUREAU/SPRINGER +14734|Sibirskii Ekologicheskii Zhurnal| |0869-8627|Bimonthly| |NAUKA +14735|Siboga-Expeditie Monographieen| |0165-2656|Irregular| |BRILL ACADEMIC PUBLISHERS +14736|Sicb Annual Meeting & Exhibition Final Program and Abstracts| | |Annual| |SOC INTEGRATIVE COMPARATIVE BIOLOGY +14737|Sichuan Daxue Xuebao-Ziran Kexueban| |0490-6756|Bimonthly| |SICHUAN UNIV +14738|Sichuan Journal of Zoology| |1000-7083|Quarterly| |SICHUAN JOURNAL ZOOLOGY +14739|Sight and Sound| |0037-4806|Monthly| |BRITISH FILM INST +14740|Sigmod Record|Computer Science / Database management; File organization (Computer science); Gegevens; Bases de données|0163-5808|Quarterly| |ASSOC COMPUTING MACHINERY +14741|Signa Vitae|Clinical Medicine|1334-5605|Semiannual| |PHARMAMED MADO LTD +14742|Signa-Revista de la Asociacion Espanola de Semiotica| |1133-3634|Annual| |UNIV NACIONAL EDUCACION DISTANCIA +14743|Signal Processing|Engineering / Signal processing|0165-1684|Monthly| |ELSEVIER SCIENCE BV +14744|Signal Processing-Image Communication|Engineering / Imaging systems; Image processing|0923-5965|Monthly| |ELSEVIER SCIENCE BV +14745|Signs|Social Sciences, general / Women; Women's studies; Femmes; Études sur les femmes; WOMEN|0097-9740|Quarterly| |UNIV CHICAGO PRESS +14746|Silliman Journal| |0037-5284|Semiannual| |SILLIMAN UNIV MAIN LIBRARY +14747|Silva Fennica|Plant & Animal Science|0037-5330|Quarterly| |FINNISH SOC FOREST SCIENCEFINNISH FOREST RESEARCH +14748|Silva Fennica Monographs| |1457-7356|Irregular| |FINNISH SOC FOREST SCIENCE +14749|Silva Gabreta| |1211-7420|Annual| |SPRAVA NARODNIHO PARKU SUMAVA +14750|Silva Lusitana| |0870-6352|Semiannual| |ESTACAO FLORESTAL NACIONAL +14751|Silvae Genetica|Plant & Animal Science|0037-5349|Bimonthly| |J D SAUERLANDERS VERLAG +14752|Simiolus-Netherlands Quarterly for the History of Art|Art; Kunstgeschiedenis (wetenschap)|0037-5411|Tri-annual| |STICHTING NEDERLANDSE KUNSTHISTORISCHE PUBLICATIES +14753|Simulation in Healthcare|Clinical Medicine|1559-2332|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +14754|Simulation Modelling Practice and Theory|Computer Science / Computer simulation; Simulation methods|1569-190X|Bimonthly| |ELSEVIER SCIENCE BV +14755|Simulation-Transactions of the Society for Modeling and Simulation International|Computer Science / Computer simulation|0037-5497|Monthly| |SAGE PUBLICATIONS LTD +14756|Sind University Research Journal-Science Series| |0080-9624|Semiannual| |UNIV SIND +14757|Sindh University Research Journal-Science Series| |1813-1743|Semiannual| |UNIV SINDH +14758|Sinet-Addis Ababa| |0379-2897|Semiannual| |ADDIS ABABA UNIV +14759|Singapore Economic Review|Economics & Business / Economics; Économie politique; Affaires|0217-5908|Tri-annual| |WORLD SCIENTIFIC PUBL CO PTE LTD +14760|Singapore Journal of Tropical Geography|Social Sciences, general / Geography|0129-7619|Tri-annual| |WILEY-BLACKWELL PUBLISHING +14761|Singapore Medical Journal|Clinical Medicine|0037-5675|Monthly| |SINGAPORE MEDICAL ASSOC +14762|Sinn und Form| |0037-5756|Bimonthly| |SINN UND FORM +14763|Sino-Christian Studies| |1990-2670|Quarterly| |CHUNG YUAN CHRISTIAN UNIV +14764|Sitientibus Serie Ciencias Biologicas| |1519-6097|Irregular| |UNIV ESTADUAL FEIRA SANTANA +14765|Sitzungsberichte der Gesellschaft Naturforschender Freunde zu Berlin|nature, biology|0037-5942|Annual|http://www.gnfb.de/|GOECKE & EVERS +14766|Sitzungsberichte der Königlich Preussischen Akademie der Wissenschaften| | | | |WALTER DE GRUYTER & CO +14767|Sitzungsberichte der Preussischen Akademie der Wissenschaften| |0371-2435|Irregular| |WALTER DE GRUYTER & CO +14769|Sixteenth Century Journal|Reformation|0361-0160|Quarterly| |SIXTEENTH CENTURY JOURNAL PUBL +14770|Sjemenarstvo| |1330-0121|Bimonthly| |HRVATSKO AGRONOMSKO DRUSTVO-CROATIAN SOC AGRONOMISTS +14771|Skandinavisches Archiv fur Physiologie| | | | |WALTER DE GRUYTER & CO +14772|Skandinavisk Aktuarietidskrift| |0037-606X|Quarterly| |ALMQVIST & WIKSELL INT +14773|Skandinavistik| |0342-8427|Semiannual| |VERLAG J J AUGUSTIN +14774|Skeletal Radiology|Clinical Medicine / Bones; Skeleton; Bone Diseases; Bone and Bones|0364-2348|Bimonthly| |SPRINGER +14775|Skeptical Inquirer| |0194-6730|Bimonthly| |SKEPTICAL INQUIRER +14776|Skin Pharmacology and Physiology|Clinical Medicine / Dermatopharmacology; Skin; Skin Diseases; Skin Physiology|1660-5527|Bimonthly| |KARGER +14777|Skin Research and Technology|Clinical Medicine / Skin; Biomedical Engineering; Diagnostic Imaging; Skin Diseases; Skin Physiology|0909-752X|Quarterly| |WILEY-BLACKWELL PUBLISHING +14778|Skorvnopparn| |2000-4397|Irregular| |NORRLANDS ENTOMOLOGIA FORENING +14779|Skull Base-An Interdisciplinary Approach|Clinical Medicine / Skull base; Skull; Head; Neurosurgical Procedures; Skull Base; Schedelbasis; Chirurgie (geneeskunde)|1531-5010|Bimonthly| |THIEME MEDICAL PUBL INC +14780|Slavery & Abolition|Slavery; Slaves; Slavernij / Slavery; Slaves; Slavernij|0144-039X|Quarterly| |ROUTLEDGE JOURNALS +14781|Slavic and East European Journal|Slavic languages|0037-6752|Quarterly| |AMER ASSOC TEACHERS SLAVIC EAST EUROPEAN LANGUAGES +14782|Slavic Review| |0037-6779|Quarterly| |AMER ASSOC ADVANCEMENT SLAVIC STUDIES +14783|Slavisticna Revija|Social Sciences, general|0350-6894|Semiannual| |SLAVISTICNA DRUSTVO SLOVENIJE +14784|Slavonic and East European Review| |0037-6795|Quarterly| |MANEY PUBLISHING +14785|Sleep|Neuroscience & Behavior|0161-8105|Monthly| |AMER ACAD SLEEP MEDICINE +14786|Sleep and Biological Rhythms|Clinical Medicine / Sleep; Sleep disorders; Sleep-wake cycle; Sleep Disorders; Chronobiology Disorders|1446-9235|Quarterly| |WILEY-BLACKWELL PUBLISHING +14787|Sleep And Breathing|Clinical Medicine / Sleep disorders; Sleep; Respiratory organs; Respiration; Respiration Disorders; Sleep Disorders|1520-9512|Quarterly| |SPRINGER HEIDELBERG +14788|Sleep Medicine|Clinical Medicine / Sleep disorders; Sleep Disorders; Sleep|1389-9457|Bimonthly| |ELSEVIER SCIENCE BV +14789|Sleep Medicine Reviews|Clinical Medicine / Sleep Disorders; Slaapstoornissen|1087-0792|Bimonthly| |W B SAUNDERS CO LTD +14790|Slovak Geological Magazine| |1335-096X|Quarterly| |GEOLOGICAL SURVEY SLOVAK REPUBLIC +14791|Slovak Raptor Journal| |1337-3463|Annual| |OCHRANA DRAVCOV SLOVENSKU-RAPTOR PROTECTION SLOVAKIA-RPS +14792|Slovak Review of World Literature Research| |1335-0544|Semiannual| |SLOVAK ACADEMIC PRESS LTD +14793|Slovenian Veterinary Research|Plant & Animal Science|1580-4003|Quarterly| |UNIV LJUBLJANA +14794|Slovenska Akademija Znanosti in Umetnosti Razred Za Naravoslovne Vede Dela| |0353-6645|Annual| |SLOVENSKA AKAD ZNANOSTI UMETNOSTI +14795|Slovo| |0954-6839|Semiannual| |MANEY PUBLISHING +14796|Slovo A Slovesnost|Social Sciences, general|0037-7031|Quarterly| |CZECH LANG INST CZECH ACAD SCI +14797|Sluka| |1801-0164|Annual| |HOLYSOVSKY ORNITOLOGICKY KLUB +14798|Small|Materials Science / Nanostructured materials; Nanoparticles; Microtechnology; Nanotechnology|1613-6810|Monthly| |WILEY-V C H VERLAG GMBH +14799|Small Business Economics|Economics & Business / Small business|0921-898X|Bimonthly| |SPRINGER +14800|Small Carnivore Conservation| |1019-5041|Semiannual| |IUCN-SSC MUSTELID +14801|Small Group Research|Psychiatry/Psychology / Small groups; Group Processes; Psychotherapy, Group; Review Literature; Petits groupes; Relations humaines; Communication organisationnelle; Comportement organisationnel; Dynamique des groupes; Petit groupe; Psychologie de groupe|1046-4964|Quarterly| |SAGE PUBLICATIONS INC +14802|Small Mammal Mail| | |Irregular| |ZOO OUTREACH ORGANISATION +14803|Small Ruminant Research|Plant & Animal Science / Ruminants; Bovidae|0921-4488|Monthly| |ELSEVIER SCIENCE BV +14804|Smart Materials & Structures|Engineering / Smart materials; Structural design|0964-1726|Bimonthly| |IOP PUBLISHING LTD +14805|Smart Structures and Systems|Engineering|1738-1584|Quarterly| |TECHNO-PRESS +14806|Smith College Studies in Social Work|Social Sciences, general / Social service; Social problems; Dissertations, Academic; Sociology; Service social; Problèmes sociaux; Thèses et écrits académiques|0037-7317|Tri-annual| |HAWORTH PRESS INC +14807|Smithiana Bulletin| |1684-4130|Semiannual| |SOUTH AFRICAN INST AQUATIC BIODIVERSITY +14808|Smithiana Monograph| |1813-7458|Irregular| |SOUTH AFRICAN INST AQUATIC BIODIVERSITY +14809|Smithiana Special Publication| |1684-4149|Irregular| |SOUTH AFRICAN INST AQUATIC BIODIVERSITY +14810|Smithsonian| |0037-7333|Monthly| |SMITHSONIAN ASSOC +14811|Smithsonian Contributions to Anthropology| |0081-0223|Irregular| |SMITHSONIAN INST PRESS +14812|Smithsonian Contributions to Botany| |0081-024X|Irregular| |SMITHSONIAN INST PRESS +14813|Smithsonian Contributions to Paleobiology| |0081-0266|Irregular| |SMITHSONIAN INST PRESS +14814|Smithsonian Contributions to the Marine Sciences| |0196-0768|Irregular| |SMITHSONIAN INST PRESS +14815|Smithsonian Contributions to Zoology| |0081-0282|Irregular| |SMITHSONIAN INST PRESS +14816|Smithsonian Herpetological Information Service| | |Irregular| |SMITHSONIAN HERPETOLOGICAL INFORMATION SERVICE +14817|Smpte Motion Imaging Journal|Computer Science|0036-1682|Monthly| |SOC MOTION PICTURE TV ENG INC +14818|Snake| |0386-3425|Semiannual| |JAPAN ASSOC SNAKE RESEARCH +14819|Snudebiller| |1439-4650|Annual| |CURCULIO-INST +14820|Soap Perfumery and Cosmetics| |0037-749X|Monthly| |WILMINGTON PUBL +14821|Sobornost Incorporating Eastern Churches Review| |0144-8722|Semiannual| |ST BASILS HOUSE +14822|Sochi Shikenjo Kenkyu Hokoku| |0385-0196|Semiannual| |NATL GRASSLAND RESEARCH INST +14823|Social & Cultural Geography|Social Sciences, general / Human geography|1464-9365|Quarterly| |ROUTLEDGE JOURNALS +14824|Social & Legal Studies|Social Sciences, general / Sociological jurisprudence / Sociological jurisprudence|0964-6639|Quarterly| |SAGE PUBLICATIONS LTD +14825|Social Behavior and Personality|Psychiatry/Psychology / Social psychology; Personality; Social Behavior; Sociale psychologie; Persoonlijkheid; Psychologie sociale|0301-2212|Bimonthly| |SOC PERSONALITY RES INC +14826|Social Casework| |0037-7678|Monthly| |ALLIANCE CHILDREN & FAMILIES +14827|Social Choice and Welfare|Economics & Business / Social choice; Welfare economics|0176-1714|Bimonthly| |SPRINGER +14828|Social Cognition|Psychiatry/Psychology / Social perception; Cognition; Personality; Developmental psychology; Social Behavior; Comportement social; Perception sociale; Personnalité; Processus cognitif; Psychosociologie; Socialisation|0278-016X|Bimonthly| |GUILFORD PUBLICATIONS INC +14829|Social Cognitive and Affective Neuroscience|Neuroscience & Behavior / Neurosciences; Cognitive neuroscience; Neurosciences cognitives; Cognitive Science; Social Behavior|1749-5016|Quarterly| |OXFORD UNIV PRESS +14830|Social Compass|Social Sciences, general / Religion and sociology|0037-7686|Quarterly| |SAGE PUBLICATIONS LTD +14831|Social Development|Psychiatry/Psychology / Child development; Socialization / Child development; Socialization|0961-205X|Tri-annual| |WILEY-BLACKWELL PUBLISHING +14832|Social Dynamics-A Journal of the Centre for African Studies University of Cape Town|Social Sciences, general / Sociology; Social sciences|0253-3952|Semiannual| |ROUTLEDGE JOURNALS +14833|Social Forces|Social Sciences, general / Social problems; Social service; Sociology; Sociologie|0037-7732|Quarterly| |UNIV NORTH CAROLINA PRESS +14834|Social History|Social history|0307-1022|Tri-annual| |ROUTLEDGE JOURNALS +14835|Social History of Medicine|Social Sciences, general / Medicine; Social medicine; History of Medicine; Research; Review Literature; Social Conditions; Médecine; Médecine sociale; Geneeskunde; Sociale geschiedenis; Histoire sociale|0951-631X|Tri-annual| |OXFORD UNIV PRESS +14836|Social Indicators Research|Social Sciences, general / Social indicators; Social Conditions; Indicateurs sociaux|0303-8300|Monthly| |SPRINGER +14837|Social Justice Research|Social Sciences, general / Justice; Social justice; Justice sociale|0885-7466|Quarterly| |SPRINGER +14838|Social Networks|Social Sciences, general / Social networks; Structuralism; Interpersonal Relations; Models, Theoretical; Social Behavior|0378-8733|Quarterly| |ELSEVIER SCIENCE BV +14839|Social Neuroscience|Psychiatry/Psychology / Cognitive neuroscience; Neuropsychology; Social psychology; Cognitive Science; Psychology, Social|1747-0919|Tri-annual| |PSYCHOLOGY PRESS +14840|Social Philosophy & Policy|Social Sciences, general / Social sciences; Social policy; Sociale filosofie|0265-0525|Semiannual| |CAMBRIDGE UNIV PRESS +14841|Social Policy & Administration|Social Sciences, general / Social policy; Public administration; Public Policy; Social Work; Administration publique; Politique sociale / Social policy; Public administration; Public Policy; Social Work; Administration publique; Politique sociale|0144-5596|Bimonthly| |WILEY-BLACKWELL PUBLISHING +14842|Social Policy Journal of New Zealand|Social Sciences, general|1172-4382|Tri-annual| |MINISTRY SOCIAL DEVELOPMENT +14843|Social Politics|Social Sciences, general / Women; Social policy; Sex role / Women; Social policy; Sex role / Women; Social policy; Sex role|1072-4745|Tri-annual| |OXFORD UNIV PRESS +14844|Social Problems|Social Sciences, general / Social problems; Psychology, Social; Sociology; Sociale problemen|0037-7791|Quarterly| |UNIV CALIFORNIA PRESS +14845|Social Psychiatry and Psychiatric Epidemiology|Psychiatry/Psychology / Social psychiatry; Psychiatric epidemiology; Community Psychiatry; Epidemiology; Mental Disorders|0933-7954|Monthly| |SPRINGER HEIDELBERG +14846|Social Psychology|Psychiatry/Psychology / Social psychology; Psychology, Social|1864-9335|Quarterly| |HOGREFE & HUBER PUBLISHERS +14847|Social Psychology Quarterly|Psychiatry/Psychology / Social psychology; Psychology, Social; Sociale psychologie; Psychologie sociale|0190-2725|Quarterly| |SAGE PUBLICATIONS INC +14848|Social Research|Social Sciences, general|0037-783X|Quarterly| |NEW SCHOOL UNIV +14849|Social Science & Medicine|Social Sciences, general / Social medicine; Medical anthropology; Public health; Psychology; Medicine / Social medicine; Medical anthropology; Public health; Psychology; Medicine|0277-9536|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +14850|Social Science Computer Review|Social Sciences, general / Social sciences; Microcomputers|0894-4393|Quarterly| |SAGE PUBLICATIONS INC +14851|Social Science History|Social sciences; Sociale wetenschappen|0145-5532|Quarterly| |DUKE UNIV PRESS +14852|Social Science Information Sur Les Sciences Sociales|Social Sciences, general / Social sciences; Social history; Technology and civilization|0539-0184|Quarterly| |SAGE PUBLICATIONS LTD +14853|Social Science Japan Journal|Social Sciences, general / Law; Social sciences|1369-1465|Semiannual| |OXFORD UNIV PRESS +14854|Social Science Journal|Social Sciences, general / Social sciences|0362-3319|Quarterly| |ELSEVIER SCIENCE BV +14855|Social Science Quarterly|Social Sciences, general / Political science; Social sciences|0038-4941|Quarterly| |WILEY-BLACKWELL PUBLISHING +14856|Social Science Research|Social Sciences, general / Social sciences; Quantitative research; Behavioral Sciences; Social Sciences; Sciences sociales|0049-089X|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +14857|Social Service Review|Social Sciences, general / Social service; Social problems; Sociale dienstverlening; Service social; Problèmes sociaux; SOCIAL SERVICES; SOCIAL WORK; UNITED STATES|0037-7961|Quarterly| |UNIV CHICAGO PRESS +14858|Social Studies of Science|Social Sciences, general / Science; Technology|0306-3127|Bimonthly| |SAGE PUBLICATIONS LTD +14859|Social Work|Social Sciences, general|0037-8046|Quarterly| |NATL ASSOC SOCIAL WORKERS +14860|Social Work in Health Care|Social Sciences, general / Medical social work; Social Work; Social Work, Psychiatric|0098-1389|Bimonthly| |TAYLOR & FRANCIS INC +14861|Social Work Research|Social Sciences, general|1070-5309|Quarterly| |NATL ASSOC SOCIAL WORKERS +14862|Sociedad Internacional de Malacologia Medica Y Aplicada Boletin| |1608-4284|Annual| |SOC INT MALACOLOGIA MEDICA APLICADA +14863|Sociedade e Cultura|Social Sciences, general /|1980-8194|Semiannual| |UNIV FED GOIAS FAC CIENC SOC +14864|Societa Ticinese Di Scienze Naturali Memorie| |1421-5586|Irregular| |SOC TICINESE SCIENZE NATURALI +14865|Societa Veneziana Di Scienze Naturali Lavori| |0392-9450|Annual| |SOC VENEZIANA SCIENZE NATURALI +14866|Societe D Etudes Scientifiques de L Anjou Memoire| |0750-6473|Irregular| |SOC ETUDES SCIENTIFIQUES ANJOU +14867|Societe Guernesiaise Report and Transactions| |0144-1973|Annual| |LA SOC GUERNESIAISE +14868|Societe Herpetologique de France Bulletin de Liaison| |1297-7659|Quarterly| |SOC HERPETOLOGIQUE FRANCE +14869|Societe Jersiaise Annual Bulletin| |0141-1942|Annual| |SOC JERSIAISE +14870|Sociétés|Social Sciences, general / Social sciences|0765-3697|Quarterly| |DE BOECK UNIVERSITE +14871|Society|Social Sciences, general / Social sciences; Sociale wetenschappen; Maatschappijkritiek; Sciences sociales|0147-2011|Bimonthly| |SPRINGER +14872|Society & Animals|Social Sciences, general / Human-animal relationships; Animals; Animal Welfare; Animals, Laboratory; Social Conditions; Social Environment; Animal Population Groups|1063-1119|Quarterly| |BRILL ACADEMIC PUBLISHERS +14873|Society & Natural Resources|Social Sciences, general / Natural resources; Ressources naturelles / Natural resources; Ressources naturelles|0894-1920|Monthly| |TAYLOR & FRANCIS INC +14874|Society for Applied Microbiology Symposium Series| |1467-4734|Irregular| |WILEY-BLACKWELL PUBLISHING +14875|Society for Neuroscience Abstract Viewer and Itinerary Planner| | |Annual| |SOC NEUROSCIENCE +14876|Society for Reproduction and Fertility Abstract Series| |1476-3990|Annual| |SOC REPRODUCTION FERTILITY +14877|Society for the Study of Amphibians and Reptiles Herpetological Circular| |0161-147X|Irregular| |SOC STUDY AMPHIBIANS & REPTILES +14878|Society of Canadian Ornithologists Special Publication| | |Irregular| |SOC CANADIAN ORNITHOLOGISTS +14879|Society of Caribbean Ornithology Special Publication| | |Irregular| |SOC CONSERVATION STUDY CARIBBEAN BIRDS-SCSCB +14880|Socio-Economic Review|Social Sciences, general /|1475-1461|Quarterly| |OXFORD UNIV PRESS +14881|Sociobiology|Plant & Animal Science|0361-6525|Bimonthly| |CALIFORNIA STATE UNIV +14882|Sociologia|Social Sciences, general|0049-1225|Irregular| |SLOVAK ACADEMIC PRESS LTD +14883|Sociologia Ruralis|Social Sciences, general / Sociology, Rural; Rural Population; Sociology|0038-0199|Tri-annual| |WILEY-BLACKWELL PUBLISHING +14884|Sociological Forum|Social Sciences, general / Sociology; Sociologie|0884-8971|Quarterly| |WILEY-BLACKWELL PUBLISHING +14885|Sociological Inquiry|Social Sciences, general / Sociology|0038-0245|Quarterly| |WILEY-BLACKWELL PUBLISHING +14886|Sociological Methodology|Social Sciences, general / Sociology|0081-1750|Annual| |BLACKWELL PUBLISHING +14887|Sociological Methods & Research|Social Sciences, general / Sociology / Sociology|0049-1241|Quarterly| |SAGE PUBLICATIONS INC +14888|Sociological Perspectives|Social Sciences, general / Sociology; Sociologie|0731-1214|Quarterly| |UNIV CALIFORNIA PRESS +14889|Sociological Quarterly|Social Sciences, general / Sociology; Sociologie|0038-0253|Quarterly| |WILEY-BLACKWELL PUBLISHING +14890|Sociological Research Online|Social Sciences, general /|1360-7804|Quarterly| |SAGE PUBLICATIONS LTD +14891|Sociological Review|Social Sciences, general / Sociology; Sociologie; Anthropologie sociale; Étude culturelle; Études féministes; Politique sociale; Relations de travail|0038-0261|Quarterly| |WILEY-BLACKWELL PUBLISHING +14892|Sociological Spectrum|Social Sciences, general / Sociology; Sociologie|0273-2173|Quarterly| |TAYLOR & FRANCIS INC +14893|Sociological Theory|Social Sciences, general / Sociology|0735-2751|Quarterly| |WILEY-BLACKWELL PUBLISHING +14894|Sociological Theory and Methods|Social Sciences, general|0913-1442|Semiannual| |JAPANESE ASSOC MATHEMATICAL SOCIOLOGY +14895|Sociologicky Casopis-Czech Sociological Review|Social Sciences, general|0038-0288|Bimonthly| |SOCIOLOGICKY CASOPIS +14896|Sociologie du Travail|Social Sciences, general / Industrial sociology|0038-0296|Quarterly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +14897|Sociologija I Prostor|Social Sciences, general|1846-5226|Quarterly| |INST SOCIAL RES ZAGREB +14898|Sociologisk Forskning|Social Sciences, general|0038-0342|Quarterly| |SOCIOLOGISK FORSKNING +14899|Sociologus|Social Sciences, general / Sociology; Anthropology; Social psychology; Volkenpsychologie; Culturele antropologie|0038-0377|Semiannual| |DUNCKER & HUMBLOT GMBH +14900|Sociology and Social Research| |0038-0393|Quarterly| |UNIV SOUTHERN CALIF +14901|Sociology of Education|Social Sciences, general / Educational sociology; Education; Sociology; Sociologie de l'éducation; SOCIALIZATION; SOCIAL RESEARCH; SOCIAL STRUCTURE; EDUCATIONAL SOCIOLOGY|0038-0407|Quarterly| |SAGE PUBLICATIONS INC +14902|Sociology of Health & Illness|Social Sciences, general / Social medicine; Sociology, Medical|0141-9889|Bimonthly| |WILEY-BLACKWELL PUBLISHING +14903|Sociology of Religion|Social Sciences, general / Religion and sociology; Doctrine sociale de l'Église; Église et problèmes sociaux; Sociologie religieuse|1069-4404|Quarterly| |OXFORD UNIV PRESS INC +14904|Sociology of Sport Journal|Social Sciences, general|0741-1235|Quarterly| |HUMAN KINETICS PUBL INC +14905|Sociology-The Journal of the British Sociological Association|Social Sciences, general / Sociology; Sociologie|0038-0385|Bimonthly| |SAGE PUBLICATIONS LTD +14906|Sociometry|Sociometry; Social psychology; Psychology, Social|0038-0431|Quarterly| |AMER SOCIOLOGICAL ASSOC +14907|Soft Computing|Computer Science / /|1432-7643|Bimonthly| |SPRINGER +14908|Soft Materials|Materials Science / Materials science|1539-445X|Tri-annual| |TAYLOR & FRANCIS INC +14909|Soft Matter|Materials Science / Soft condensed matter|1744-683X|Monthly| |ROYAL SOC CHEMISTRY +14910|Software and Systems Modeling|Computer Science / /|1619-1366|Quarterly| |SPRINGER HEIDELBERG +14911|Software Quality Journal|Computer Science / Computer software / Computer software|0963-9314|Quarterly| |SPRINGER +14912|Software Testing Verification & Reliability|Computer Science / Computer software|0960-0833|Quarterly| |JOHN WILEY & SONS LTD +14913|Software-Practice & Experience|Computer Science / Computer software; Computer programming; Computer programs|0038-0644|Monthly| |JOHN WILEY & SONS LTD +14914|Sofw-Journal| |0942-7694|Semimonthly| |VERLAG FUER CHEMISCHE INDUSTRIE H ZIOLKOWSKY GMBH +14915|Soil & Sediment Contamination|Environment/Ecology / Soil pollution; Soil protection|1532-0383|Quarterly| |TAYLOR & FRANCIS INC +14916|Soil & Tillage Research|Agricultural Sciences / Soil management; Tillage|0167-1987|Monthly| |ELSEVIER SCIENCE BV +14917|Soil and Crop Science Society of Florida Proceedings|Agricultural Sciences|0096-4522|Annual| |SOIL CROP SCIENCE SOC FLORIDA +14918|Soil Biology & Biochemistry|Environment/Ecology / Soil biochemistry; Soil biology; Bodembiologie; Biochemie; Sols|0038-0717|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +14919|Soil Dynamics and Earthquake Engineering|Engineering / Soil dynamics; Earthquake engineering|0267-7261|Bimonthly| |ELSEVIER SCI LTD +14920|Soil Mechanics and Foundation Engineering|Geosciences / Soil mechanics|0038-0741|Bimonthly| |SPRINGER +14921|Soil Organisms| |1864-6417|Tri-annual| |SENCKENBERG MUSEUM NATURKUNDE GORLITZ +14922|Soil Science|Environment/Ecology / Soil science; Plant-soil relationships; Bodemkunde; Pédologie|0038-075X|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +14923|Soil Science and Plant Nutrition|Agricultural Sciences / Soil science; Plants / Soil science; Plants|0038-0768|Bimonthly| |WILEY-BLACKWELL PUBLISHING +14924|Soil Science Society of America Journal|Environment/Ecology / Soils; Soil science; Bodemkunde; Sols|0361-5995|Bimonthly| |SOIL SCI SOC AMER +14925|Soil Use and Management|Environment/Ecology / Soil management; Bodemgebruik; Sols|0266-0032|Quarterly| |WILEY-BLACKWELL PUBLISHING +14926|Soils and Foundations|Geosciences|0038-0806|Bimonthly| |JAPANESE GEOTECHNICAL SOC +14927|SOLA|Geosciences /|1349-6476|Irregular| |METEOROLOGICAL SOC JPN +14928|Solar Energy|Engineering / Solar energy; Solar engines; Zonne-energie|0038-092X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +14929|Solar Energy Materials and Solar Cells|Materials Science / Solar energy; Solar cells|0927-0248|Monthly| |ELSEVIER SCIENCE BV +14930|Solar Physics|Space Science / Solar-terrestrial physics; Zon; Natuurkunde|0038-0938|Monthly| |SPRINGER +14931|Solar System Research|Space Science /|0038-0946|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +14932|Soldagem & Inspecao|Engineering /|0104-9224|Quarterly| |ASSOC BRASIL SOLDAGEM +14933|Soldering & Surface Mount Technology|Engineering / Solder and soldering; Surface mount technology / Solder and soldering; Surface mount technology|0954-0911|Quarterly| |EMERALD GROUP PUBLISHING LIMITED +14934|Solenodon| |1287-0234|Annual| |SOLENODON +14935|Solid Fuel Chemistry|Chemistry / Fuel|0361-5219|Bimonthly| |ALLERTON PRESS INC +14936|Solid State Communications|Physics / Solid state chemistry; Solid state physics|0038-1098|Weekly| |PERGAMON-ELSEVIER SCIENCE LTD +14937|Solid State Ionics|Physics / Solid state physics; Solid state chemistry; Ions|0167-2738|Semimonthly| |ELSEVIER SCIENCE BV +14938|Solid State Nuclear Magnetic Resonance|Chemistry / Nuclear magnetic resonance; Magnetic Resonance Spectroscopy|0926-2040|Quarterly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +14939|Solid State Physics| |0081-1947|Annual| |ELSEVIER ACADEMIC PRESS INC +14940|Solid State Sciences|Physics / Solid state chemistry; Solid state physics; Materials|1293-2558|Monthly| |ELSEVIER SCIENCE BV +14941|Solid State Technology|Engineering|0038-111X|Monthly| |PENNWELL PUBL CO +14942|Solid-State Electronics|Physics / Semiconductors|0038-1101|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +14943|Solvent Extraction and Ion Exchange|Chemistry / Solvent extraction; Ion exchange|0736-6299|Bimonthly| |TAYLOR & FRANCIS INC +14944|Solvent Extraction Research and Development-Japan|Chemistry|1341-7215|Annual| |JAPAN ASSOC SOLVENT EXTRACTIONC/O PROF KENICHI AKIBA +14945|Somatosensory and Motor Research|Neuroscience & Behavior / Somesthesia; Skin; Perceptual-motor processes; Récepteurs sensoriels; Sens et sensations; Psychomotor Performance; Receptors, Sensory; Sensation|0899-0220|Quarterly| |INFORMA HEALTHCARE +14946|Somogyi Muzeumok Kozlemenyei| |0139-4983|Irregular| |SOMOGY MEGYEI MUZEUMOK IGAZGATOSAGA +14947|Songklanakarin Journal of Science and Technology| | |Bimonthly| |PRINCE SONGKLA +14948|Sonoran Herpetologist| | |Monthly| |TUCSON HERPETOLOGICAL SOC +14949|Sophia|Religion; Théologie philosophique; Morale|0038-1527|Tri-annual| |SPRINGER +14950|Sorby Record| |0260-2245|Annual| |SORBY NATURAL HISTORY SOC +14951|Sort-Statistics and Operations Research Transactions|Mathematics|1696-2281|Semiannual| |INST ESTADISTICA CATALUNYA-IDESCAT +14952|Sotsiologicheskie Issledovaniya|Social Sciences, general|0132-1625|Monthly| |MEZHDUNARODNAYA KNIGA +14953|Sound and Vibration|Engineering|1541-0161|Monthly| |ACOUSTICAL PUBL INC +14954|Soundings| |0038-1861|Quarterly| |SOUNDINGS +14955|Source-Notes in the History of Art| |0737-4453|Quarterly| |ARS BREVIS FOUNDATION INC +14956|South African Archaeological Bulletin|Prehistoric peoples; Opgravingen|0038-1969|Semiannual| |SOUTH AFRICAN ARCHAEOLOGICAL SOC +14957|South African Geographical Journal|Social Sciences, general /|0373-6245|Irregular| |SPRINGER +14958|South African Historical Journal| |0258-2473|Semiannual| |UNISA PRESS +14959|South African Journal for Research in Sport Physical Education and Recreation|Social Sciences, general|0379-9069|Semiannual| |STELLENBOSCH UNIV +14960|South African Journal of Animal Science|Plant & Animal Science|0375-1589|Tri-annual| |SOUTH AFRICAN JOURNAL OF ANIMAL SCIENCES +14961|South African Journal of Botany|Plant & Animal Science / Botany; Plants; Botanique; Plantes; Plantkunde; Plante|0254-6299|Quarterly| |ELSEVIER SCIENCE BV +14962|South African Journal of Business Management|Economics & Business|0378-9098|Quarterly| |ASSOC PROFESSIONAL MANAGERS SOUTH AFRICIA +14963|South African Journal of Chemistry-Suid-Afrikaanse Tydskrif Vir Chemie|Chemistry|0379-4350|Monthly| |BUREAU SCIENTIFIC PUBL +14964|South African Journal of Economic and Management Sciences|Economics & Business|1015-8812|Quarterly| |UNIV PRETORIA +14965|South African Journal of Economics|Economics & Business / Economics|0038-2280|Quarterly| |WILEY-BLACKWELL PUBLISHING +14966|South African Journal of Education|Social Sciences, general /|0256-0100|Quarterly| |EDUCATION ASSOC SOUTH AFRICA +14967|South African Journal of Enology and Viticulture|Agricultural Sciences|0253-939X|Semiannual| |SOUTH AFRICAN SOC ENOLOGY & VITICULTURE-SASEV +14968|South African Journal of Geology|Geosciences / Geology|1012-0750|Quarterly| |GEOLOGICAL SOC SOUTH AFRICA +14969|South African Journal of Industrial Engineering|Engineering|1012-277X|Semiannual| |SOUTHERN AFRICAN INST INDUSTRIAL ENGINEERING +14970|South African Journal of Philosophy| |0258-0136|Quarterly| |PHILOSOPHICAL SOC SOUTHERN AFRICA +14971|South African Journal of Plant and Soil-Suid-Afrikaanse Tydskrif Vir Planten Grond| |0257-1862|Quarterly| |SCIENTIFIC PUBL SERVICES-SPS +14972|South African Journal of Psychiatry|Psychiatry/Psychology|1608-9685|Quarterly| |SA MEDICAL ASSOC HEALTH & MEDICAL PUBL GROUP +14973|South African Journal of Psychology|Psychiatry/Psychology|0081-2463|Quarterly| |UNISA PRESS +14974|South African Journal of Science|Multidisciplinary /|0038-2353|Monthly| |ACAD SCIENCE SOUTH AFRICA A S S AF +14975|South African Journal of Surgery|Clinical Medicine|0038-2361|Quarterly| |SA MEDICAL ASSOC +14976|South African Journal of Wildlife Research|Plant & Animal Science /|0379-4369|Semiannual| |SOUTHERN AFRICAN WILDLIFE MANAGEMENT ASSOC +14977|South African Journal on Human Rights|Social Sciences, general|0258-7203|Tri-annual| |JUTA & CO LTD +14978|South American Journal of Herpetology| |1808-9798|Tri-annual| |SOC BRASILEIRA HERPETOLOGIA +14979|South Asia-Journal of South Asian Studies| |0085-6401|Tri-annual| |ROUTLEDGE JOURNALS +14980|South Atlantic Quarterly|Humaniora; Sociale wetenschappen; Culture; Civilisation|0038-2876|Quarterly| |DUKE UNIV PRESS +14981|South Australian Naturalist| |0038-2965|Quarterly| |FIELD NATURALISTS SOC SOUTH AUSTRALIA INC +14982|South Australian Ornithologist| |0038-2973|Semiannual| |SOUTH AUSTRALIAN ORNITHOLOGICAL ASSOC +14983|South Carolina Geology| |0272-9873|Irregular| |SOUTH CAROLINA GEOLOGICAL SURVEY +14984|South Dakota Review| |0038-3368|Quarterly| |UNIV SOUTH DAKOTA +14985|South European Society and Politics|Social Sciences, general / /|1360-8746|Quarterly| |ROUTLEDGE JOURNALS +14986|South Pacific Journal of Natural Science|Indic literature; Indic literature (English)|1013-9877|Annual| |UNIV SOUTH PACIFIC +14987|South Pacific Studies| |0916-0752|Semiannual| |KAGOSHIMA UNIV +14988|Southeast Asian Journal of Tropical Medicine and Public Health|Social Sciences, general|0125-1562|Bimonthly| |SOUTHEAST ASIAN MINISTERS EDUC ORGANIZATION +14989|Southeast European and Black Sea Studies|Social Sciences, general / Geopolitics / Geopolitics|1468-3857|Quarterly| |ROUTLEDGE JOURNALS +14990|Southeastern Biology| |1533-8436|Quarterly| |ASSOC SOUTHEASERN BIOL +14991|Southeastern Fishes Council Proceedings| | |Semiannual| |SOUTHEASTERN FISHES COUNCIL +14992|Southeastern Geology| |0038-3678|Quarterly| |DUKE UNIV PRESS +14993|Southeastern Naturalist|Environment/Ecology / Natural history|1528-7092|Quarterly| |HUMBOLDT FIELD RESEARCH INST +14994|Southern African Forestry Journal| |1029-5925|Tri-annual| |SOUTHERN AFRICAN INST FORESTRY-SAIF +14995|Southern African Humanities| |1681-5564|Annual| |NATAL MUSEUM +14996|Southern African Journal of Hiv Medicine|Clinical Medicine|1608-9693|Quarterly| |SA HIV CLINICIANS SOC +14997|Southern African Linguistics and Applied Language Studies|Social Sciences, general / Linguistics; African languages; Afrikaans language|1607-3614|Quarterly| |NATL INQUIRY SERVICES CENTRE PTY LTD +14998|Southern California Law Review|Social Sciences, general|0038-3910|Bimonthly| |UNIV SOUTHERN CALIF +14999|Southern Cultures| |1068-8218|Quarterly| |UNIV NORTH CAROLINA PRESS +15000|Southern Economic Journal|Economics & Business / Economics|0038-4038|Quarterly| |UNIV NORTH CAROLINA +15001|Southern Forests| |2070-2620|Tri-annual| |NATL INQUIRY SERVICES CENTRE PTY LTD +15002|Southern Humanities Review| |0038-4186|Quarterly| |AUBURN UNIV +15003|Southern Journal of Applied Forestry|Plant & Animal Science|0148-4419|Quarterly| |SOC AMER FORESTERS +15004|Southern Journal of Philosophy| |0038-4283|Quarterly| |SOUTHERN J PHILOSOPHY UNIV MEMPHIS +15005|Southern Literary Journal| |0038-4291|Semiannual| |UNIV NORTH CAROLINA PRESS +15006|Southern Medical Journal|Clinical Medicine / Medicine; Surgery|0038-4348|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +15007|Southwestern Entomologist|Plant & Animal Science /|0147-1724|Quarterly| |SOUTHWESTERN ENTOMOLOGICAL SOC +15008|Southwestern Historical Quarterly| |0038-478X|Quarterly| |TEXAS STATE HIST ASSOC +15009|Southwestern Journal of Anthropology| |0038-4801|Quarterly| |UNIV NEW MEXICO +15010|Southwestern Naturalist|Environment/Ecology / Natural history|0038-4909|Quarterly| |SOUTHWESTERN ASSOC NATURALISTS +15011|Sovmestnaya Rossiisko-Mongol Skaya Paleontologicheskaya Ekspeditsiya Trudy| |1026-5597|Annual| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15012|Sovremennaya Gerpetologiya| |1814-6090| | |SARATOV N G CHERNYSHEVSKY STATE UNIV +15013|Soziale Welt-Zeitschrift fur Sozialwissenschaftliche Forschung und Praxis|Social Sciences, general|0038-6073|Quarterly| |VERLAG OTTO SCHWARTZ & CO +15014|Space|Space Science|1228-2472|Monthly| |SPACE MAGAZINE +15015|Space Communications|Computer Science|0924-8625|Quarterly| |IOS PRESS +15016|Space Policy|Social Sciences, general / Astronautics and state|0265-9646|Quarterly| |ELSEVIER SCI LTD +15017|Space Science Reviews|Space Science / Astronomy; Geophysics; Sterrenkunde|0038-6308|Bimonthly| |SPRINGER +15018|Space Weather-The International Journal of Research and Applications|Space Science /|1542-7390|Quarterly| |AMER GEOPHYSICAL UNION +15019|Spanish Journal of Agricultural Research|Agricultural Sciences|1695-971X|Quarterly| |SPANISH NATL INST AGRICULTURAL & FOOD RESEARCH & TECHNOLO +15020|Spanish Journal of Psychology|Psychiatry/Psychology|1138-7416|Semiannual| |UNIV COMPLUTENSE MADRID +15021|Spatial Cognition and Computation|Social Sciences, general / Space perception; Geographical perception; Artificial intelligence / Space perception; Geographical perception; Artificial intelligence|1387-5868|Quarterly| |TAYLOR & FRANCIS INC +15022|Spc Live Reef Fish Information Bulletin| |1026-2040|Irregular| |SOUTH PACIFIC COMMISSION +15023|SPE Drilling & Completion|Geosciences / Oil well drilling|1064-6671|Quarterly| |SOC PETROLEUM ENG +15024|SPE Journal|Engineering / Petroleum engineering|1086-055X|Quarterly| |SOC PETROLEUM ENG +15025|SPE Production & Operations|Geosciences /|1930-1855|Quarterly| |SOC PETROLEUM ENG +15026|SPE Reservoir Evaluation & Engineering|Geosciences / Oil reservoir engineering; Petroleum engineering|1094-6470|Bimonthly| |SOC PETROLEUM ENG +15027|Special Bulletin of the Japanese Society of Coleopterology| |1341-1128|Irregular| |JAPANESE SOC COLEOPTEROLOGY +15028|Special Bulletin of the Shiga Agricultural Experiment Station| |0389-1828|Irregular| |SHIGA PREFECTURAL AGRICULTURAL EXPERIMENT STATION +15029|Special Papers in Palaeontology Series|Geosciences|0038-6804|Semiannual| |PALAEONTOLOGICAL ASSOC +15030|Special Publication of the Central Geological Survey| |1016-3042|Annual| |CENTRAL GEOLOGICAL SURVEY +15031|Special Publication of the Japan Coleopterological Society| |1346-289X|Irregular| |JAPAN COLEOPTEROLOGICAL SOC +15032|Special Publication of the Saskatchewan Natural History Society| |0080-6552|Irregular| |SASKATCHEWAN NATURAL HISTORY SOC +15033|Special Publication of the Western Australian Insect Study Society Inc| | |Irregular| |WESTERN AUSTRALIAN INSECT STUDY SOC INC +15034|Special Publication the Museum of Southwestern Biology| | |Irregular| |MUSEUM SOUTHWESTERN BIOLOGY +15035|Special Publications from the Osaka Museum of Natural History| |0389-9047|Annual| |OSAKA MUSEUM OF NATURAL HISTORY +15036|Special Publications in Herpetology Sam Noble Oklahoma Museum of Natural History| | |Irregular| |SAM NOBLE OKLAHOMA MUSEUM NATURAL HISTORY +15037|Special Topics in Primatology| |1936-8526|Irregular| |AMER SOC PRIMAT +15038|Species| |1016-927X|Semiannual| |INT UNION CONSERVATION NATURE NATURAL RESOURCES-IUCN +15039|Species Diversity| |1342-1670|Quarterly| |JAPANESE SOC SYSTEMATIC ZOOLOGY +15040|Species Status| |1473-0154|Irregular| |JOINT NATURE CONSERVATION COMMITTEE +15041|Spectrochimica Acta Part A-Molecular and Biomolecular Spectroscopy|Engineering / Spectrum analysis; Molecular spectroscopy; Biomolecules; Molecular Biology; Spectrum Analysis; Moleculaire spectrometrie; Analyse spectrale; Spectroscopie moléculaire; Biomolécules; Biologie moléculaire|1386-1425|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +15042|Spectrochimica Acta Part B-Atomic Spectroscopy|Engineering / Atomic spectroscopy; Spectrum analysis; Spectrum Analysis|0584-8547|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +15043|Spectroscopy|Chemistry|0887-6703|Monthly| |ADVANSTAR COMMUNICATIONS INC +15044|Spectroscopy and Spectral Analysis|Chemistry|1000-0593|Monthly| |OFFICE SPECTROSCOPY & SPECTRAL ANALYSIS +15045|Spectroscopy Letters|Engineering / Spectrum analysis; Spectrum Analysis|0038-7010|Bimonthly| |TAYLOR & FRANCIS INC +15046|Spectroscopy-An International Journal|Chemistry|0712-4813|Quarterly| |IOS PRESS +15047|Speculum-A Journal of Medieval Studies|Literature, Medieval; Civilization, Medieval; Middeleeuwen; Littérature médiévale; Civilisation médiévale|0038-7134|Quarterly| |CAMBRIDGE UNIV PRESS +15048|Speech Communication|Computer Science / Oral communication|0167-6393|Monthly| |ELSEVIER SCIENCE BV +15049|Speech Monographs| |0038-7169|Quarterly| |SPEECH COMMUNICATION ASSN +15050|Spektrum der Augenheilkunde|Clinical Medicine / Eye Diseases|0930-4282|Bimonthly| |SPRINGER +15051|Speleobiology Notes| |1945-9211|Irregular| |AMERICAN UNIV +15052|Speleolog| |0490-4109|Irregular| |SPELEOLOSKI ODSJEK HPD ZELJEZNICAR +15053|Spiegel der Letteren| |0038-7479|Quarterly| |PEETERS +15054|Spinal Cord|Clinical Medicine / Paraplegia; Quadriplegia; Spinal cord; Spinal Cord Diseases; Spinal Cord Injuries|1362-4393|Monthly| |NATURE PUBLISHING GROUP +15055|Spine|Clinical Medicine / Spine; Spinal Diseases|0362-2436|Semimonthly| |LIPPINCOTT WILLIAMS & WILKINS +15056|Spine Journal|Neuroscience & Behavior / Spine; Spinal Diseases|1529-9430|Bimonthly| |ELSEVIER SCIENCE INC +15057|Spiritus-A Journal of Christian Spirituality| |1533-1709|Semiannual| |JOHNS HOPKINS UNIV PRESS +15058|Spirula Correspondentieblad van de Nederlandse Malacologische Vereniging| |1566-063X|Bimonthly| |NEDERLANDSE MALACOLOGISCHE VERENIGING +15059|Spisanie Na B Lgarskoto Geologichesko Druzhestvo| |0007-3938|Tri-annual| |BULGARIAN ACAD SCIENCE +15060|Spixiana|Plant & Animal Science|0341-8391|Semiannual| |VERLAG DR FRIEDRICH PFEIL +15061|Sporadic Papers on Mollusks| |1934-9734|Irregular| |RICHARC I JOHNSON +15062|Sport Education and Society|Social Sciences, general / Physical education and training; School sports; Sports; Éducation physique; Sports scolaires|1357-3322|Quarterly| |ROUTLEDGE JOURNALS +15063|Sport History Review| |1087-1659|Semiannual| |HUMAN KINETICS PUBL INC +15064|Sport Psychologist|Psychiatry/Psychology|0888-4781|Quarterly| |HUMAN KINETICS PUBL INC +15065|Sports Biomechanics|Clinical Medicine / Biomechanics; Sports; Human mechanics; Biomécanique; Mécanique humaine|1476-3141|Semiannual| |ROUTLEDGE JOURNALS +15066|Sports Medicine|Clinical Medicine / Sports medicine; Exertion; Sports Medicine; Sportgeneeskunde|0112-1642|Monthly| |ADIS INT LTD +15067|Sports Medicine and Arthroscopy Review|Clinical Medicine / Sports medicine; Arthroscopy; Athletic Injuries|1062-8592|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +15068|Sportverletzung-Sportschaden|Clinical Medicine / Athletic Injuries|0932-0555|Quarterly| |GEORG THIEME VERLAG KG +15069|Sprache-Stimme-Gehor|Social Sciences, general / Hearing Disorders; Speech Disorders; Voice|0342-0477|Quarterly| |GEORG THIEME VERLAG KG +15070|Sprachwissenschaft| |0344-8169|Quarterly| |UNIVERSITATSVERLAG C WINTER HEIDELBERG GMBH +15071|Spurn Wildlife| |1363-299X|Annual| |SPURN BIRD OBSERVATORY TRUST +15072|Srpski arhiv za celokupno lekarstvo|Clinical Medicine /|0370-8179|Monthly| |SRPSKO LEKARSKO DRUSTVO +15073|St Johns River Water Management District Special Publication| | |Irregular| |ST JOHNS RIVER WATER MANAGEMENT DISTRICT SPECIAL PUBL +15074|St Petersburg Mathematical Journal|Mathematics / Algebra; Mathematical analysis|1061-0022|Bimonthly| |AMER MATHEMATICAL SOC +15075|Stahl und Eisen|Materials Science|0340-4803|Monthly| |VERLAG STAHLEISEN MBH +15076|Stahlbau|Engineering / Building, Iron and steel; Strains and stresses; Steel, Structural; Staal; Staalindustrie|0038-9145|Monthly| |ERNST & SOHN-A WILEY CO +15077|Stain Technology| |0038-9153|Bimonthly| |WILLIAMS & WILKINS +15078|Stand| |0038-9366|Quarterly| |STAND +15079|Stanford Journal of International Law|Social Sciences, general|0731-5082|Semiannual| |STANFORD UNIV +15080|Stanford Law Review|Social Sciences, general / Law reviews; Jurisprudence; Recht; Stanford University; Revues de droit|0038-9765|Bimonthly| |STANFORD UNIV +15081|Stapfia| |0252-192X|Irregular| |OBEROESTERREICHISCHES LANDESMUSEUM +15082|Starch-Starke|Agricultural Sciences / Starch / Starch|0038-9056|Monthly| |WILEY-V C H VERLAG GMBH +15083|Stata Journal|Mathematics|1536-867X|Quarterly| |STATA PRESS +15084|State Politics & Policy Quarterly|Social Sciences, general|1532-4400|Quarterly| |UNIV ILLINOIS PRESS +15085|Statistica Neerlandica|Mathematics / Statistics; Statistiek; Statistique|0039-0402|Quarterly| |WILEY-BLACKWELL PUBLISHING +15086|Statistica Sinica|Mathematics|1017-0405|Quarterly| |STATISTICA SINICA +15087|Statistical Applications in Genetics and Molecular Biology|Molecular Biology & Genetics /|1544-6115|Irregular| |BERKELEY ELECTRONIC PRESS +15088|Statistical Methods and Applications|Mathematics / /|1618-2510|Tri-annual| |SPRINGER HEIDELBERG +15089|Statistical Methods in Medical Research|Social Sciences, general / Medicine; Research; Review Literature; Statistics; Statistische methoden; Medisch onderzoek|0962-2802|Bimonthly| |SAGE PUBLICATIONS LTD +15090|Statistical Modelling|Mathematics / Linear models (Statistics); Mathematical models|1471-082X|Quarterly| |SAGE PUBLICATIONS LTD +15091|Statistical Papers|Mathematics / Statistics|0932-5026|Quarterly| |SPRINGER +15092|Statistical Science|Mathematics / Mathematical statistics|0883-4237|Quarterly| |INST MATHEMATICAL STATISTICS +15093|Statistics|Mathematics / Mathematical statistics; Statistique mathématique / Mathematical statistics; Statistique mathématique|0233-1888|Bimonthly| |TAYLOR & FRANCIS LTD +15094|Statistics & Probability Letters|Mathematics / Mathematical statistics; Probabilities / Mathematical statistics; Probabilities|0167-7152|Semimonthly| |ELSEVIER SCIENCE BV +15095|Statistics and Computing|Computer Science / Mathematical statistics; Statistics; Computer science|0960-3174|Quarterly| |SPRINGER +15096|Statistics in Medicine|Clinical Medicine / Medical statistics; Biometry; Medicine; Statistics|0277-6715|Semimonthly| |JOHN WILEY & SONS LTD +15097|Stavanger Museum Arbok| |0333-0656|Annual| |STAVANGER MUSEUM +15098|Steel and Composite Structures|Engineering /|1229-9367|Bimonthly| |TECHNO-PRESS +15099|steel research international|Materials Science /|1611-3683|Monthly| |WILEY-BLACKWELL PUBLISHING +15100|Steenstrupia| |0375-2909|Irregular| |ZOOLOGICAL MUSEUM +15101|Stem Cell Research|Clinical Medicine / Stem Cells|1873-5061|Bimonthly| |ELSEVIER SCIENCE BV +15102|Stem Cell Reviews and Reports|Clinical Medicine / Stem cells; Stem Cells|1550-8943|Quarterly| |SPRINGER HEIDELBERG +15103|Stem Cells|Clinical Medicine / Cloning; Clone cells; Stem Cells|1066-5099|Monthly| |ALPHAMED PRESS +15104|Stem Cells and Development|Clinical Medicine / Stem Cells; Hematopoietic Stem Cell Transplantation|1547-3287|Bimonthly| |MARY ANN LIEBERT INC +15105|Stepnoi Byulleten| |1684-8438|Tri-annual| |NOVOSIBIRSKIJ GOSUDARSTVENNYI UNIV +15106|Stereotactic and Functional Neurosurgery|Clinical Medicine / Nervous system; Stereoencephalotomy; Neurosurgical Procedures; Stereotaxic Techniques; Neurochirurgie; Système nerveux; Neurologie|1011-6125|Bimonthly| |KARGER +15107|Steroids|Biology & Biochemistry / Steroids; Steroid hormones; Stéroïdes; Hormones stéroïdes|0039-128X|Monthly| |ELSEVIER SCIENCE INC +15108|Stilt| |0726-1888|Semiannual| |AUSTRALASIAN WADER STUDIES GROUP +15109|Stochastic Analysis and Applications|Mathematics / Stochastic analysis|0736-2994|Bimonthly| |TAYLOR & FRANCIS INC +15110|Stochastic Environmental Research and Risk Assessment|Engineering / Hydrology; Hydraulics; Stochastic processes / Hydrology; Hydraulics; Stochastic processes|1436-3240|Bimonthly| |SPRINGER +15111|Stochastic Models|Mathematics / Stochastic processes; Probabilities; Stochastische modellen|1532-6349|Quarterly| |TAYLOR & FRANCIS INC +15112|Stochastic Processes and their Applications|Mathematics / Stochastic processes|0304-4149|Monthly| |ELSEVIER SCIENCE BV +15113|Stochastics and Dynamics|Mathematics / Stochastic processes; Stochastic systems; Differentiable dynamical systems|0219-4937|Quarterly| |WORLD SCIENTIFIC PUBL CO PTE LTD +15114|Stochastics-An International Journal of Probability and Stochastic Processes|Stochastic processes; Probabilities; Probability|1744-2508|Bimonthly| |TAYLOR & FRANCIS LTD +15115|Storia Dell Arte| |0392-4513|Tri-annual| |CAM EDITRICE S R L +15116|Stp Pharma Pratiques| |1157-1497|Bimonthly| |EDITIONS SANTE +15117|Strad| |0039-2049|Monthly| |ORPHEUS PUBLICATIONS LTD +15118|Strahlentherapie und Onkologie|Clinical Medicine / Oncology; Radiotherapy; Medical Oncology; Kanker; Bestralingstherapie|0179-7158|Monthly| |URBAN & VOGEL +15119|Strain|Engineering / Strains and stresses; Contraintes (Mécanique); Matériaux|0039-2103|Quarterly| |WILEY-BLACKWELL PUBLISHING +15120|Strandloper| |1026-3926|Irregular| |CONCHOLOGICAL SOC SOUTHERN AFRICA +15121|Strandvlo| |0773-3542|Quarterly| |STRANDWERKGROEP +15122|Strata Serie 2 Memoires| |0296-2055|Irregular| |UNIV PAUL SABATIER +15123|Strata Series 1 Communications| |0761-2443|Irregular| |UNIV PAUL SABATIER +15124|Strategic Management Journal|Economics & Business / Business planning; Management; Business; Strategisch management; Gestion; Gestion d'entreprise|0143-2095|Monthly| |JOHN WILEY & SONS LTD +15125|Strategic Organization|Economics & Business / Strategic planning; Management; Organization; Business planning|1476-1270|Quarterly| |SAGE PUBLICATIONS LTD +15126|Stratigrafiya Geologicheskaya Korrelyatsiya| |0869-592X|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15127|Stratigraphy|Geosciences|1547-139X|Quarterly| |MICROPALEONTOLOGY PRESS +15128|Stratigraphy and Geological Correlation|Geosciences / Geology, Stratigraphic; Stratigraphic correlation; Geology; Stratigrafie|0869-5938|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15129|STRENGTH AND CONDITIONING JOURNAL|Clinical Medicine / Bodybuilding; Muscle strength; Physical education and training; Exercise; Exercise Therapy; Physical Education and Training; Physical Fitness|1524-1602|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +15130|Strength of Materials|Materials Science / Strength of materials|0039-2316|Bimonthly| |SPRINGER +15131|Stress and Health|Psychiatry/Psychology / Medicine and psychology; Stress (Physiology); Medicine; Stress; Health; Stress, Psychological|1532-3005|Bimonthly| |JOHN WILEY & SONS INC +15132|Stress-The International Journal on the Biology of Stress|Psychiatry/Psychology / Stress (Physiology); Biology; Stress|1025-3890|Bimonthly| |TAYLOR & FRANCIS LTD +15133|Strojarstvo|Engineering|0562-1887|Tri-annual| |UREDNISTVO CASOPISA STROJARTVO +15134|Strojniski Vestnik-Journal of Mechanical Engineering|Engineering|0039-2480|Monthly| |ASSOC MECHANICAL ENGINEERS TECHNICIANS SLOVENIA +15135|Stroke|Clinical Medicine / Cerebrovascular disease; Cerebral circulation; Cerebrovascular Circulation; Cerebrovascular Disorders|0039-2499|Monthly| |LIPPINCOTT WILLIAMS & WILKINS +15136|Strombus| |1415-2827|Irregular| |CONQUILIOLOGISTAS DO BRASIL +15137|Structural and Multidisciplinary Optimization|Engineering / Structural optimization; Multidisciplinary design optimization|1615-147X|Monthly| |SPRINGER +15138|Structural Chemistry|Chemistry / Chemical structure; Chemische structuur|1040-0400|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +15139|Structural Concrete|Concrete construction; Concrete|1464-4177|Quarterly| |THOMAS TELFORD PUBLISHING +15140|Structural Control & Health Monitoring|Engineering / Structural engineering; Structural control (Engineering); Automatic data collection systems; Detectors|1545-2255|Bimonthly| |JOHN WILEY & SONS LTD +15141|Structural Design of Tall and Special Buildings|Engineering / Tall buildings; Architecture; Building; Structural design|1541-7794|Bimonthly| |JOHN WILEY & SONS LTD +15142|STRUCTURAL ENGINEERING AND MECHANICS|Engineering / Structural analysis (Engineering); Structural engineering|1225-4568|Semimonthly| |TECHNO-PRESS +15143|Structural Equation Modeling-A Multidisciplinary Journal|Mathematics / Multivariate analysis; Social sciences|1070-5511|Quarterly| |PSYCHOLOGY PRESS +15144|Structural Health Monitoring-An International Journal|Engineering / Structural stability; Strength of materials; Non-destructive testing|1475-9217|Bimonthly| |SAGE PUBLICATIONS LTD +15145|Structural Safety|Engineering / Structural stability; Safety factor in engineering; Reliability (Engineering)|0167-4730|Quarterly| |ELSEVIER SCIENCE BV +15146|Structure|Molecular Biology & Genetics / Molecular biology; Molecular structure; Cytology; Protein folding; RNA; Biomolecules; Molecular Structure; Cells; Protein Conformation; Protein Engineering; Protein Folding; Molecular Biology; Molecular Sequence Data; Biolo|0969-2126|Monthly| |CELL PRESS +15147|Structure and Bonding|Chemistry|0081-5993|Tri-annual| |SPRINGER-VERLAG BERLIN +15148|Structure and Infrastructure Engineering|Engineering / Structural analysis (Engineering); Structural engineering; Buildings / Structural analysis (Engineering); Structural engineering; Buildings|1573-2479|Quarterly| |TAYLOR & FRANCIS LTD +15149|Studi E Problemi Di Critica Testuale| |0049-2361|Semiannual| |CASA RISPARMIO +15150|Studi E Ricerche Associazione Amici Museo Civico G. Zannato Montecchio Maggiore Vi| |1127-3100|Annual| |ASSOC AMICI MUS CIVICO G ZANNATO +15151|Studi E Ricerche Sui Giacimenti Terziari Di Bolca| |0587-1239|Irregular| |MUSEO CIVICO STORIA NATURALE VERONA +15152|Studi Francesi| |0039-2944|Tri-annual| |ROSENBERG & SELLIER +15153|Studi Geologici Camerti| |0392-0631|Annual| |UNIV CAMERINO +15154|Studi Medievali| |0391-8467|Semiannual| |CENTRO ITAL STUD SULL ALTO MED +15155|Studi Musicali| |0391-7789|Semiannual| |CASA EDITRICE LEO S OLSCHKI +15156|Studi Piemontesi| |0392-7261|Semiannual| |CENT STUD PIEMONTESI +15157|Studi Romani| |0039-2995|Quarterly| |IST NAZIONALE STUDI ROMANI +15158|Studi Secenteschi| |0081-6248|Annual| |CASA EDITRICE LEO S OLSCHKI +15159|Studi Storici| |0039-3037|Quarterly| |CAROCCI EDITORE SPA +15160|Studi Trentini Di Scienze Naturali| |2035-7699|Irregular| |MUSEO TRIDENTINO SCIENZE NATURALI +15161|Studia Botanica| |0211-9714|Annual| |EDICIONES UNIV SALAMANCA +15162|Studia Botanica Hungarica| |0301-7001|Annual| |HUNGARIAN NATURAL HISTORY MUSEUM +15163|Studia Canonica| |0039-310X|Semiannual| |SAINT PAUL UNIV +15164|Studia Chiropterologica| |1896-5318|Annual| |CHIROPTEROLOGICAL INFORMATION CTR +15165|Studia Dipterologica| |0945-3954|Semiannual| |DR A STARK +15166|Studia Forestalia Suecica| |0039-3150|Irregular| |SWEDISH UNIV AGRICULTURAL SCIENCES +15167|Studia Geologica Polonica| |0081-6426|Irregular| |WYDAWNICTWO INST NAUK GEOLOGICZNYCH +15168|Studia Geologica Salmanticensia| |0211-8327|Annual| |UNIV SALAMANCA +15169|Studia Geophysica et Geodaetica|Geosciences / Geophysics; Geodesy; Géophysique; Géodésie; Geofysica; Landmeetkunde / Geophysics; Geodesy; Géophysique; Géodésie; Geofysica; Landmeetkunde|0039-3169|Quarterly| |SPRINGER +15170|Studia Leibnitiana| |0039-3185|Semiannual| |FRANZ STEINER VERLAG GMBH +15171|Studia Linguistica|Language and languages; Langage et langues|0039-3193|Tri-annual| |WILEY-BLACKWELL PUBLISHING +15172|Studia Marina Sinica| |0438-380X|Annual| |CHINESE ACAD SCIENCES +15173|Studia Mathematica|Mathematics / Mathematics|0039-3223|Monthly| |POLISH ACAD SCIENCES INST MATHEMATICS +15174|Studia Monastica| |0039-3258|Semiannual| |PUBL ABADIA MONTSERRAT +15175|Studia Musicologica|Music; Musicology; Muziekwetenschap; Musique; Musicologie|1788-6244|Quarterly| |AKADEMIAI KIADO RT +15176|Studia Mystica| |0161-7222|Quarterly| |TEXAS A&M UNIV +15177|Studia Naturalia| |1215-5365|Irregular| |HUNGARIAN NATURAL HISTORY MUSEUM +15178|Studia Neophilologica|Germanic philology; Romance philology; Philologie germanique; Philologie romane|0039-3274|Semiannual| |TAYLOR & FRANCIS AS +15179|Studia Phaenomenologica| |1582-5647|Annual| |ROMANIAN SOC PHENOMENOLOGY +15180|Studia Psychologica|Psychiatry/Psychology|0039-3320|Quarterly| |SLOVAK ACAD SCIENCES INST EXPERIMENTAL PSYCHOLOGY +15181|Studia Quaternaria| |1641-5558|Annual| |POLISH ACAD SCIENCES +15182|Studia Rosenthaliana| |0039-3347|Semiannual| |PEETERS +15183|Studia Scientiarum Mathematicarum Hungarica|Mathematics / Mathematics; Wiskunde|0081-6906|Quarterly| |AKADEMIAI KIADO RT +15184|Studia Socjologiczne| |0039-3371|Quarterly| |POLSKA AKAD NAUK +15185|Studia Theologica-Czech Republic| |1212-8570|Quarterly| |UNIV PALACKEHO OLOMOUCI +15186|Studia Universitatis Babes-Bolyai Biologia| |1221-8103|Semiannual| |UNIV BABES-BOLYAI +15187|Studia Universitatis Babes-Bolyai Chemia|Chemistry|1224-7154|Semiannual| |UNIV BABES-BOLYAI +15188|Studia Universitatis Babes-Bolyai Geologia| |1221-0803|Semiannual| |UNIV BABES BOLYAI +15189|Studia Universitatis Vasile Goldis Arad Seria B| |1453-1038|Annual| |UNIV VEST VASILE GOLDIS ARAD +15190|Studies in Afrotropical Zoology| |1780-1311|Annual| |MUSEE ROYAL AFRIQUE CENTRALE +15191|Studies in American Fiction| |0091-8083|Semiannual| |NORTHEASTERN UNIV +15192|Studies in American Indian Literatures| |0730-3238|Quarterly| |UNIV NEBRASKA PRESS +15193|Studies in American Political Development|Social Sciences, general / Politieke geschiedenis|0898-588X|Semiannual| |CAMBRIDGE UNIV PRESS +15194|Studies in Applied Mathematics|Mathematics / Mathematics; Physics|0022-2526|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15195|Studies in Avian Biology| |0197-9922|Irregular| |COOPER ORNITHOLOGICAL SOC +15196|Studies in Canadian Literature-Etudes En Litterature Canadienne| |0380-6995|Semiannual| |UNIV NEW BRUNSWICK +15197|Studies in Comparative International Development|Social Sciences, general / Social sciences; Internationale economische ontwikkeling; Internationale politiek; Développement international; Développement économique; Sciences sociales|0039-3606|Quarterly| |SPRINGER +15198|Studies in Conflict & Terrorism|Social Sciences, general / Social conflict; Terrorism; Politieke conflicten / Social conflict; Terrorism; Politieke conflicten|1057-610X|Bimonthly| |TAYLOR & FRANCIS INC +15199|Studies in Conservation|Chemistry / Art objects; Conservatie; Kunst|0039-3630|Quarterly| |INT INST CONSERVATION HISTORIC ARTISTIC WORKS +15200|Studies in Continuing Education|Continuing education|0158-037X|Tri-annual| |ROUTLEDGE JOURNALS +15201|Studies in East European Thought|Dialectical materialism; Philosophy|0925-9392|Quarterly| |SPRINGER +15202|Studies in English Literature 1500-1900|English literature; Littérature anglaise; Histoire littéraire; Critique littéraire|0039-3657|Quarterly| |JOHNS HOPKINS UNIV PRESS +15203|Studies in Family Planning|Social Sciences, general / Birth control; Family Planning Services|0039-3665|Quarterly| |WILEY-BLACKWELL PUBLISHING +15204|Studies in Higher Education|Social Sciences, general / Education, Higher; Hoger onderwijs; Onderwijsresearch; Enseignement supérieur|0307-5079|Tri-annual| |ROUTLEDGE JOURNALS +15205|Studies in History and Philosophy of Modern Physics|Physics|1355-2198|Quarterly| |ELSEVIER SCI LTD +15206|Studies in History and Philosophy of Science|Science|0039-3681|Quarterly| |ELSEVIER SCI LTD +15207|Studies in Informatics and Control|Computer Science|1220-1766|Quarterly| |NATL INST R&D INFORMATICS-ICI +15208|Studies in Language|Social Sciences, general / Linguistics; Language and languages; Taalwetenschap|0378-4177|Quarterly| |JOHN BENJAMINS PUBLISHING COMPANY +15209|Studies in Latin American Popular Culture| |0730-9139|Annual| |UNIV TEXAS PRESS +15210|Studies in Mycology|Plant & Animal Science / Mycology; Fungi|0166-0616|Annual| |CENTRAALBUREAU SCHIMMELCULTURE +15211|Studies in Nonlinear Dynamics and Econometrics|Economics & Business / Econometrics; Business cycles; Statics and dynamics (Social sciences); Chaotic behavior in systems|1081-1826|Quarterly| |BERKELEY ELECTRONIC PRESS +15212|Studies in Philology| |0039-3738|Quarterly| |UNIV NORTH CAROLINA PRESS +15213|Studies in Philosophy and Education|Education; Philosophy|0039-3746|Bimonthly| |SPRINGER +15214|Studies in Religion-Sciences Religieuses| |0008-4298|Tri-annual| |SAGE PUBLICATIONS LTD +15215|Studies in Romanticism| |0039-3762|Quarterly| |BOSTON UNIV SCHOLARLY PUBL +15216|Studies in Science Education|Science; Mathematics; Exacte wetenschappen; Onderwijs; Sciences|0305-7267|Semiannual| |ROUTLEDGE JOURNALS +15217|Studies in Second Language Acquisition|Social Sciences, general / Second language acquisition; Language and languages; Tweedetaalverwerving; Langue seconde; Langage et langues|0272-2631|Quarterly| |CAMBRIDGE UNIV PRESS +15218|Studies in Sociology| | |Quarterly| |UNIV SOUTHERN CALIF +15219|Studies in Surface Science and Catalysis|Chemistry /| |Irregular| |ELSEVIER SCIENCE BV +15220|Studies in Symbolic Interaction|Social Sciences, general / Symbolic interactionism|0163-2396|Annual| |EMERALD GROUP PUBLISHING LIMITED +15221|Studies in the History of Art| |0091-7338|Semiannual| |YALE UNIV PRESS +15222|Studies in the History of Gardens & Designed Landscapes| |1460-1176|Quarterly| |TAYLOR & FRANCIS LTD +15223|Studies in the Literary Imagination| |0039-3819|Semiannual| |GEORGIA STATE UNIV +15224|Studies in the Novel| |0039-3827|Quarterly| |NORTH TEXAS STAT UNIV +15225|Studies on Ethno-Medicine| |0973-5070|Semiannual| |KAMLA-RAJ ENTERPRISES +15226|Studies on Neotropical Fauna and Environment|Plant & Animal Science / Animals; Animal ecology|0165-0521|Tri-annual| |TAYLOR & FRANCIS LTD +15227|Studii Si Cercetari Complexul Muzeal Bistrita Nasaud Biologie| |1582-5159|Annual| |COMPLEXULUI MUZEAL BISTRITA-NASAUD +15228|Studii Si Cercetari Complexul Muzeal Bistrita-Nasaud Geologie-Geografie| |1582-5167|Annual| |COMPLEXULUI MUZEAL BISTRITA-NASAUD +15229|Studii Si Cercetari de Geologie| |1220-4994|Annual| |EDITURA ACAD ROMANE +15230|Studii Si Cercetari Stiintifice Universitatea Bacau Seria Biologie| |1224-919X|Annual| |UNIV BACAU +15231|Studii Si Comunicari Muzeul National Brukenthal Stiinte Naturale| |1454-4784| | |MUZEUL ISTORIE NATURALA +15232|Stuttgarter Beitraege zur Naturkunde Serie C Wissen fuer Alle| |0341-0161|Irregular| |STAATLICHES MUSEUM NATURKUNDE +15233|Stuttgarter Beitrage zur Naturkunde Serie A-Biologie| |0341-0145|Irregular| |STAATLICHES MUSEUM NATURKUNDE +15234|Stuttgarter Beitrage zur Naturkunde Serie B-Geologie und Palaontologie| |0341-0153|Irregular| |STAATLICHES MUSEUM NATURKUNDE +15235|Style| |0039-4238|Quarterly| |NORTHERN ILLINOIS UNIV +15236|Su Urunleri Dergisi| |1300-1590|Semiannual| |EGE UNIVERSITESI +15237|Suara Serangga Papua| |1978-9807|Quarterly| |KELOMPOK ENTOMOLOGI PAPUA-KEP +15238|Sub-Stance|Literature; Structuralism (Literary analysis); Philosophy, Modern; Critical theory; Art and society; Semiotics and the arts; Literatuurkritiek; Literatuurtheorie; Littérature|0049-2426|Tri-annual| |UNIV WISCONSIN PRESS +15239|Substance Abuse Treatment Prevention and Policy|Social Sciences, general / Substance abuse; Substance-Related Disorders; Public Policy|1747-597X|Irregular| |BIOMED CENTRAL LTD +15240|Substance Use & Misuse|Social Sciences, general / Drug abuse; Alcoholism; Behavior, Addictive; Substance-Related Disorders|1082-6084|Monthly| |TAYLOR & FRANCIS INC +15241|Subterranean Biology| |1768-1448|Annual| |INT SOC SUBTERRANEAN BIOL +15242|Subtropical Plant Science| |0485-2044|Annual| |RIO GRANDE VALLEY HORTICULTURAL SOC +15243|Suceava Anuarul Muzeului National Al Bucovinei Fascicula de Stiintele Naturii| |1224-1954|Annual| |MUZEUL NATL AL BUCOVINEI +15244|Suchttherapie|Psychiatry/Psychology / Psychotherapy|1439-9903|Quarterly| |GEORG THIEME VERLAG KG +15245|Sud-Ouest Europeen|Social Sciences, general|1276-4930|Semiannual| |PRESSES UNIV MIRAIL +15246|Sudan Notes and Records| |0375-2984|Semiannual| |SUDAN NOTES & RECORDS +15247|Sudebno-Meditsinskaya Ekspertiza| |0039-4521|Bimonthly| |IZDATELSTVO MEDITSINA +15248|Suffolk Birds| |0264-5793|Annual| |SUFFOLK NATURALISTS SOC +15249|Suffolk Natural History| |0144-2244|Annual| |SUFFOLK NATURALISTS SOC +15250|Sugar Cane International| |0265-7406|Bimonthly| |AGRA INFORMA LTD +15251|Suicide and Life-Threatening Behavior|Psychiatry/Psychology / Suicide; Behavior; Zelfmoord; Comportement suicidaire|0363-0234|Bimonthly| |GUILFORD PUBLICATIONS INC +15252|Suid-Afrikaanse Tydskrif Vir Natuurwetenskap En Tegnologie| |0254-3486|Quarterly| |SUID-AFRIKAANSE AKAD VIR WETENSKAP EN KUNS +15253|Suiform Soundings| |1446-991X|Semiannual| |IUCN-SSC PIGS PECCAREIS & HIPPOS SPECIALIST GROUP +15254|Suisan Zoshoku| |0371-4217|Quarterly| |JAPAN SOC AQUACULTURE RESEARCH +15255|Sula| |0926-132X|Quarterly| |NEDERLANDSE ZEEVOGELGROEP +15256|Suleyman Demirel Universitesi Egirdir Su Urunleri Fakultesi Dergisi| |1302-8944|Irregular| |SULEYMAN DEMIRAL UNIV +15257|Suleyman Demirel Universitesi Orman Fakultesi Dergisi Seri A| |1302-7085|Semiannual| |SULEYMAN DEMIREL UNIV +15258|Sumarski List|Plant & Animal Science|0373-1332|Monthly| |CROATIAN FORESTRY SOC +15259|Sumarstvo| |0350-1752|Irregular| |UDRUZENJI SUMARSKIH INZENJERA & TEHNICARA SRBIJE +15260|Summa Phytopathologica|Plant diseases|0100-5405|Quarterly| |UNIV ESTADUAL PAULISTA-UNESP +15261|Sunbird| |1037-258X|Quarterly| |QUEENSLAND ORNITHOLOGICAL SOC +15262|Sungkyun Journal of East Asian Studies| |1598-2661|Semiannual| |ACAD EAST ASIAN STUD +15263|Suo-Helsinki| |0039-5471|Quarterly| |SUOSEURA +15264|Suomen Riista| |0355-0656|Annual| |FINNISH GAME & FISHERIES RESEARCH INST-FGFRI +15265|Superconductor Science & Technology|Physics / Superconductivity; Superconductors; Electronics; Supergeleidend materiaal|0953-2048|Monthly| |IOP PUBLISHING LTD +15266|Superlattices and Microstructures|Physics / Superlattices as materials; Microstructure; Semiconductors|0749-6036|Monthly| |ACADEMIC PRESS LTD- ELSEVIER SCIENCE LTD +15267|Supervising Scientist Report| |1325-1554|Irregular| |SUPERVISING SCIENTIST DIV-ENVIRONMENT AUSTRALIA +15268|Supply Chain Management-An International Journal|Economics & Business / Physical distribution of goods; Marketing channels / Physical distribution of goods; Marketing channels|1359-8546|Bimonthly| |EMERALD GROUP PUBLISHING LIMITED +15269|Supportive Care in Cancer|Clinical Medicine / Cancer; Neoplasms; Palliative Care; Social Support; Kanker; Therapieën / Cancer; Neoplasms; Palliative Care; Social Support; Kanker; Therapieën|0941-4355|Bimonthly| |SPRINGER +15270|Supramolecular Chemistry|Chemistry / Macromolecules; Supramolecular chemistry|1061-0278|Bimonthly| |TAYLOR & FRANCIS LTD +15271|Supreme Court Review|Social Sciences, general|0081-9557|Annual| |UNIV CHICAGO PRESS +15272|Surface & Coatings Technology|Materials Science / Electroplating; Metals; Surface preparation; Coating processes; Surfaces (Technology)|0257-8972|Semimonthly| |ELSEVIER SCIENCE SA +15273|Surface and Interface Analysis|Chemistry / Surfaces (Physics); Surface chemistry; Thin films|0142-2421|Monthly| |JOHN WILEY & SONS LTD +15274|Surface Coatings International|Chemistry / Paint industry and trade; Paint materials; Painting, Industrial|1356-0751|Bimonthly| |OIL & COLOUR CHEMISTS ASSOC +15275|Surface Engineering|Engineering / Surfaces (Technology); Coatings|0267-0844|Bimonthly| |MANEY PUBLISHING +15276|Surface Engineering and Applied Electrochemistry|Engineering / Industrial electronics; Electrochemistry; Surfaces (Technology)|8756-7008|Bimonthly| |ALLERTON PRESS INC +15277|Surface Review and Letters|Physics / Surfaces (Physics); Interfaces (Physical sciences); Surface chemistry|0218-625X|Bimonthly| |WORLD SCIENTIFIC PUBL CO PTE LTD +15278|Surface Science|Chemistry / Surface chemistry; Surfaces (Physics); Chimie des surfaces; Materiaalkunde; Oppervlakken; Grenslagen; Natuurkunde; Grensvlakchemie; Interfaces|0039-6028|Semimonthly| |ELSEVIER SCIENCE BV +15279|Surface Science Reports|Chemistry / Surfaces (Physics); Surface chemistry; Metals; Semiconductors; Electric insulators and insulation; Surfaces (Physique); Chimie des surfaces; Métaux; Semiconducteurs; Isolation électrique; Dunne films; Oppervlakken; Grenslagen|0167-5729|Monthly| |ELSEVIER SCIENCE BV +15280|Surgeon-Journal of the Royal Colleges of Surgeons of Edinburgh and Ireland|Clinical Medicine /|1479-666X|Bimonthly| |ROYAL COLLEGE SURGEONS EDINBURGH +15281|Surgery|Clinical Medicine / Surgery; Chirurgie (geneeskunde); Chirurgie|0039-6060|Monthly| |MOSBY-ELSEVIER +15282|Surgery for Obesity and Related Diseases|Clinical Medicine / Bariatrics; Digestive System Surgical Procedures; Obesity, Morbid; Obésité|1550-7289|Bimonthly| |ELSEVIER SCIENCE INC +15283|Surgery Gynecology & Obstetrics| |0039-6087|Monthly| |FRANKLIN H MARTIN FOUNDATION +15284|Surgery Today|Clinical Medicine /|0941-1291|Monthly| |SPRINGER +15285|Surgical and Radiologic Anatomy|Clinical Medicine / / Anatomy, Surgical and topographical; Radiography; Radiology; Surgery; Anatomy; Anatomie; Klinische geneeskunde; Klinische anatomie|1279-8517|Bimonthly| |SPRINGER FRANCE +15286|Surgical Clinics of North America|Clinical Medicine / Surgery|0039-6109|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +15287|Surgical Endoscopy and Other Interventional Techniques|Clinical Medicine / Endoscopic surgery; Ultrasonic imaging; Endoscopy; Ultrasonography|0930-2794|Monthly| |SPRINGER +15288|Surgical Infections|Surgical Wound Infection; Infection Control|1096-2964|Bimonthly| |MARY ANN LIEBERT INC +15289|Surgical Innovation|Clinical Medicine / Surgery, Operative; Endoscopic surgery; Laparoscopic surgery; Surgical Procedures, Operative; Surgical Procedures, Minimally Invasive; Diffusion of Innovation|1553-3506|Quarterly| |SAGE PUBLICATIONS INC +15290|Surgical Laparoscopy Endoscopy & Percutaneous Techniques|Clinical Medicine / Endoscopic surgery; Laparoscopic surgery; Endoscopy; Laparoscopy; Surgery; Laparoscopie; Endoscopie|1530-4515|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +15291|Surgical Neurology|Clinical Medicine / Nervous system; Neurosurgery; Neurochirurgie|0090-3019|Monthly| |ELSEVIER SCIENCE INC +15292|Surgical Oncology Clinics of North America|Clinical Medicine / Neoplasms|1055-3207|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +15293|Surgical Oncology-Oxford|Clinical Medicine / Cancer; Neoplasms|0960-7404|Quarterly| |ELSEVIER SCI LTD +15294|Surgical Practice|Clinical Medicine / Surgery; Operations, Surgical; Surgical Procedures, Operative|1744-1625|Quarterly| |WILEY-BLACKWELL PUBLISHING +15295|Surtsey Research| |1608-0998|Annual| |SURTSEY RESEARCH SOC +15296|Survey Methodology|Mathematics|0714-0045|Semiannual| |STATISTICS CANADA +15297|Survey of Ophthalmology|Clinical Medicine / Ophthalmology; Eye; Ophtalmologie; Oogheelkunde / Ophthalmology; Eye; Ophtalmologie; Oogheelkunde|0039-6257|Bimonthly| |ELSEVIER SCIENCE INC +15298|Survey Review|Engineering / Surveying|0039-6265|Quarterly| |MANEY PUBLISHING +15299|Surveys in Geophysics|Geosciences / Geophysics; Planets|0169-3298|Bimonthly| |SPRINGER +15300|Survival|Social Sciences, general / Strategy; Military policy; Disarmament; STRATEGY|0039-6338|Quarterly| |ROUTLEDGE JOURNALS +15301|Sussex Bird Report| | |Annual| |SUSSEX ORNITHOLOGICAL SOC +15302|Sustainability Science|Environment/Ecology /|1862-4065|Semiannual| |SPRINGER TOKYO +15303|Sustainable Development|Social Sciences, general / Sustainable development; Economic development|0968-0802|Quarterly| |JOHN WILEY & SONS LTD +15304|Suvremena Psihologija|Psychiatry/Psychology|1331-9264|Semiannual| |NAKLADA SLAP +15305|Svensk Botanisk Tidskrift| |0039-646X|Bimonthly| |SVENSKA BOTANISKA FORENINGEN +15306|Sveriges Geologiska Undersokning Serie Ca Avhandlingar Och Uppsatser| |0348-1352|Irregular| |SVERIGES GEOLOGISKA UNDERSOKNING +15307|Sveriges Lantbruksuniversitet Uppsala Institutionen for Markvetenskap Rapporter Fran Jordbearbetningsavdelningen| |0348-0976|Irregular| |SWEDISH UNIV AGRICULTURAL SCIENCES +15308|Swarm Intelligence|Swarm intelligence|1935-3812|Semiannual| |SPRINGER HEIDELBERG +15309|Swedish Dental Journal|Clinical Medicine|0347-9994|Quarterly| |SWEDISH DENTAL JOURNAL +15310|Swiss Journal of Geosciences|Geosciences / Geology|1661-8726|Tri-annual| |BIRKHAUSER VERLAG AG +15311|Swiss Journal of Psychology|Psychiatry/Psychology / Psychology|1421-0185|Quarterly| |VERLAG HANS HUBER +15312|Swiss Medical Weekly|Clinical Medicine|1424-7860|Semimonthly| |E M H SWISS MEDICAL PUBLISHERS LTD +15313|Swiss Political Science Review|Social Sciences, general|1424-7755|Quarterly| |VERLAG RUEGGER +15314|Sws-Rundschau|Social Sciences, general|1013-1469|Quarterly| |SOZIALWISSENSCHAFTLICHE STUDIENGESELLSCHAFT +15315|Sydowia|Plant & Animal Science|0082-0598|Semiannual| |VERLAG FERDINAND BERGER SOHNE GESELLSCHAFT MBH +15316|Sydowia Beihefte| | |Irregular| |FERDINAND BERGER SOEHNE +15317|Sylvatrop| |0115-0022|Semiannual| |ECOSYSTEMS RESEARCH DEVELOPMENT BUREAU +15318|Sylvia| |0231-7796|Annual| |CESKA SPOLECNOST ORNITOLOGICKA +15319|Sylwan|Plant & Animal Science|0039-7660|Monthly| |POLSKIE TOWARZYSTWO LESNE +15320|Symbioses| |0395-8957|Semiannual| |RESEAU MUSEUMS REGION CENTRE +15321|Symbiosis|Biology & Biochemistry /|0334-5114|Bimonthly| |SPRINGER +15322|Symbolae Osloenses|Classical philology; Klassieke talen; Klassieke oudheid; Cultuurgeschiedenis|1502-7805|Annual| |TAYLOR & FRANCIS LTD +15323|Symbolic Interaction|Social Sciences, general / Symbolic interactionism; Symbolisch interactionisme|0195-6086|Quarterly| |UNIV CALIFORNIA PRESS +15324|Symmetry Integrability and Geometry-Methods and Applications|Mathematics /|1815-0659|Irregular| |NATL ACAD SCI UKRAINE +15325|Symposia of the British Ecological Society| |0068-1954|Irregular| |BRITISH ECOLOGICAL SOC +15326|Symposium-A Quarterly Journal in Modern Literatures|Philology, Modern|0039-7709|Quarterly| |HELDREF PUBLICATIONS +15327|Synapse|Neuroscience & Behavior / Synapses|0887-4476|Monthly| |WILEY-LISS +15328|Synlett|Chemistry / Organic compounds; Chemistry, Organic; Synthese (chemie); Organische chemie; Composés organiques; Chimie organique|0936-5214|Semimonthly| |GEORG THIEME VERLAG KG +15329|Syntax and Semantics| |0092-4563|Annual| |EMERALD GROUP PUBLISHING LIMITED +15330|Synthese|Multidisciplinary / Knowledge, Theory of; Wetenschapsfilosofie; Kennistheorie; Sciences|0039-7857|Monthly| |SPRINGER +15331|Synthesis and Reactivity in Inorganic Metal-Organic and Nano-Metal Chemistry|Chemistry / Inorganic compounds; Organic compounds; Organometallic compounds; Reactivity (Chemistry); Nanostructured materials / Inorganic compounds; Organic compounds; Organometallic compounds; Reactivity (Chemistry); Nanostructured materials|1553-3174|Monthly| |TAYLOR & FRANCIS INC +15332|Synthesis Philosophica| |0352-7875|Semiannual| |CROATIAN PHILOSOPHICAL SOC +15333|Synthesis-La Plata| |0328-1205|Annual| |UNIV NAC PLATA +15334|Synthesis-Stuttgart|Chemistry / Organic compounds; Chemistry, Organic; Organische chemie|0039-7881|Semimonthly| |GEORG THIEME VERLAG KG +15335|Synthetic Communications|Chemistry / Organic compounds|0039-7911|Semimonthly| |TAYLOR & FRANCIS INC +15336|Synthetic Metals|Physics / Transition metal compounds; Graphite; One-dimensional conductors|0379-6779|Monthly| |ELSEVIER SCIENCE SA +15337|System Dynamics Review|Economics & Business / Engineering; Dynamics; System analysis; Dynamische systemen|0883-7066|Quarterly| |JOHN WILEY & SONS LTD +15338|Systematic and Applied Acarology| |1362-1971|Annual| |SYSTEMATIC & APPLIED ACAROLOGY SOC LONDON +15339|Systematic and Applied Acarology Special Publications| |1461-0183|Irregular| |SYSTEMATIC & APPLIED ACAROLOGY SOC LONDON +15340|Systematic and Applied Microbiology|Microbiology / Microbiology; Microbiologie|0723-2020|Tri-annual| |ELSEVIER GMBH +15341|Systematic Biology|Environment/Ecology / Biology; Biologie; Systematiek (algemeen)|1063-5157|Bimonthly| |OXFORD UNIV PRESS +15342|Systematic Botany|Plant & Animal Science / Plants; Botany; Plantkunde; Systematiek (algemeen); Plantes|0363-6445|Quarterly| |AMER SOC PLANT TAXONOMISTS +15343|Systematic Entomology|Plant & Animal Science / Insects; Entomology|0307-6970|Quarterly| |WILEY-BLACKWELL PUBLISHING +15344|Systematic Parasitology|Biology & Biochemistry / Parasites; Parasitology|0165-5752|Monthly| |SPRINGER +15345|Systematics and Biodiversity|Environment/Ecology / Biodiversity; Biology|1477-2000|Quarterly| |TAYLOR & FRANCIS LTD +15346|Systematist| |1744-5701|Semiannual| |SYSTEMATICS ASSOC +15347|Systemic Practice and Action Research|Economics & Business / Large scale systems; System theory; System analysis; Methodologie|1094-429X|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +15348|Systems & Control Letters|Engineering / System analysis; System theory; Control theory|0167-6911|Monthly| |ELSEVIER SCIENCE BV +15349|Systems Biology in Reproductive Medicine|Clinical Medicine / Reproductive Medicine; Systems Biology|1939-6368|Bimonthly| |INFORMA HEALTHCARE +15350|Systems Engineering|Engineering / Systems engineering|1098-1241|Quarterly| |JOHN WILEY & SONS INC +15351|Systems Research and Behavioral Science|Economics & Business / Psychology; Social sciences; System theory; Systeemonderzoek; Gedragswetenschappen|1092-7026|Bimonthly| |JOHN WILEY & SONS LTD +15352|Szociologiai Szemle|Social Sciences, general|1216-2051|Semiannual| |MAGYAR SZOCIOLOGIAI TARASAG +15353|Tachinid Times| | |Annual| |AGR AGRI FOOD CANADA +15354|Taiwan Journal of Forest Science| |1026-4469|Irregular| |TAIWAN FORESTRY RESEARCH INST +15355|Taiwan Pharmaceutical Journal| |1016-1015|Bimonthly| |PHARMACEUTICAL SOC TAIWAN +15356|Taiwan Veterinary Journal| |1682-6485|Quarterly| |CHINESE SOC VETERINARY SCIENCE +15357|Taiwanese Journal of Agricultural Chemistry and Food Science| |1605-2471|Bimonthly| |CHINESE AGRICULTURAL CHEMICAL SOC +15358|Taiwanese Journal of Mathematics|Mathematics|1027-5487|Bimonthly| |MATHEMATICAL SOC REP CHINA +15359|Taiwanese Journal of Obstetrics & Gynecology|Clinical Medicine / Obstetrics; Gynecology; Genital Diseases, Female; Pregnancy Complications|1028-4559|Quarterly| |ELSEVIER SINGAPORE PTE LTD +15360|Taiwania| |0372-333X|Quarterly| |NATL TAIWAN UNIV PRESS +15361|Takkeling| |1380-3735|Tri-annual| |WERKGROEP ROOFVOGELS NEDERLAND +15362|Talanta|Chemistry / Chemistry, Analytic; Analytische chemie|0039-9140|Monthly| |ELSEVIER SCIENCE BV +15363|Tamilnadu Journal of Veterinary and Animal Sciences| |0973-2942|Semiannual| |TAMIL NADU VET & ANIMAL SCI UNIV +15364|Tanz| |1869-7720|Monthly| |FRIEDRICH BERLIN VERLAG MBH +15365|Tap Chi Sinh Hoc| |0866-7160|Quarterly| |VIEN KHOA HOC VIET NAM +15366|Tapir Conservation| |1813-2286|Irregular| |IUCN-SSC TAPIR SPECIALIST GROUP +15367|Tappi Journal|Materials Science|0734-1415|Monthly| |TECH ASSOC PULP PAPER IND INC +15368|Tarantulas of the World| |1431-7990|Irregular| |VERLAG H J PETERS +15369|Targeted Oncology|Clinical Medicine / Oncology; Cancer; Neoplasms|1776-2596|Quarterly| |SPRINGER +15370|Tarim Bilimleri Dergisi-Journal of Agricultural Sciences|Agricultural Sciences|1300-7580|Quarterly| |ANKARA UNIV +15371|Tasforests| |1033-8306|Annual| |FORESTRY TASMANIA +15372|Tasmanian Aquaculture and Fisheries Institute Technical Report Series| |1441-8487|Irregular| |TASMANIAN AQUACULTURE FISHERIES INST +15373|Tasmanian Naturalist| |0819-6826|Annual| |TASMANIAN FIELD NATURALISTS CLUB INC +15374|Tax Magazine| |8755-2221|Monthly| |COMMERCE CLEARING HOUSE INC +15375|Taxa| |1342-2367|Irregular| |JAPANESE SOC SYSTEMATIC ZOOLOGY +15376|Taxes-The Tax Magazine| |0040-0181|Monthly| |COMMERCE CLEARING HOUSE INC +15377|Taxon|Plant & Animal Science / Plants|0040-0262|Quarterly| |INT ASSOC PLANT TAXONOMY +15378|Taxonomic Report of the International Lepidoptera Survey| | |Irregular| |INT LEPIDOPTERA SURVEY +15379|Tce|Engineering|0302-0797|Monthly| |INST CHEMICAL ENGINEERS +15380|Tdr-The Drama Review-A Journal of Performance Studies|Theater; Theater and society; Experimental theater; Théâtre / Theater; Theater and society; Experimental theater; Théâtre / Theater; Theater and society; Experimental theater; Théâtre|1054-2043|Quarterly| |M I T PRESS +15381|Teachers College Record|Social Sciences, general / Education; Onderwijs; Enseignement; Éducation|0161-4681|Monthly| |TEACHERS COLL OF COLUMBIA UNIV +15382|Teaching and Learning in Medicine|Clinical Medicine / Medical education; Education, Medical|1040-1334|Quarterly| |ROUTLEDGE JOURNALS +15383|Teaching and Teacher Education|Social Sciences, general / Teaching; Teachers|0742-051X|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15384|Teaching in Higher Education|Social Sciences, general / College teaching; Education, Higher|1356-2517|Quarterly| |ROUTLEDGE JOURNALS +15385|Teaching of Psychology|Psychiatry/Psychology / Psychology; Psychologie; Onderwijsmethoden|0098-6283|Quarterly| |ROUTLEDGE JOURNALS +15386|Teaching Philosophy| |0145-5788|Quarterly| |PHILOSOPHY DOCUMENTATION CENTER +15387|Teaching Sociology|Social Sciences, general / Sociology; Sociologie|0092-055X|Quarterly| |SAGE PUBLICATIONS INC +15388|Tearmann| |1649-1009|Semiannual| |UNIV COLL DUBLIN +15389|Technical Bulletin of Faculty of Horticulture Chiba University| |0069-3227|Annual| |CHIBA UNIV +15390|Technical Communication|Social Sciences, general|0049-3155|Quarterly| |SOC TECHNICAL COMMUNICATION +15391|Technical Physics|Physics / Physics|1063-7842|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15392|Technical Physics Letters|Physics / Physics|1063-7850|Monthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15393|Technical Reports of the Australian Museum| |1031-8062|Irregular| |AUSTRALIAN MUSEUM +15394|Technics Technologies Education Management-Ttem|Engineering|1840-1503|Semiannual| |DRUNPP-SARAJEVO +15395|Techniques in Coloproctology|Clinical Medicine / Colon (Anatomy); Rectum; Colonic Diseases; Colorectal Surgery; Rectal Diseases; Proctologie; Côlon; Anus|1123-6337|Quarterly| |SPRINGER +15396|Technological and Economic Development of Economy|Economics & Business / Construction industry|1392-8619|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +15397|Technological Forecasting and Social Change|Social Sciences, general / Technological forecasting; Technology|0040-1625|Monthly| |ELSEVIER SCIENCE INC +15398|Technology Analysis & Strategic Management|Economics & Business / Technological innovations; Research, Industrial; High technology industries; Strategic planning / Technological innovations; Research, Industrial; High technology industries; Strategic planning|0953-7325|Quarterly| |ROUTLEDGE JOURNALS +15399|Technology and Culture|Social Sciences, general / Technology|0040-165X|Quarterly| |JOHNS HOPKINS UNIV PRESS +15400|Technology in Cancer Research & Treatment|Clinical Medicine|1533-0346|Bimonthly| |ADENINE PRESS +15401|Technology Review|Engineering|1099-274X|Monthly| |MASS INST TECHNOL +15402|Technometrics|Mathematics / Statistics; Quality control; Experimental design|0040-1706|Quarterly| |AMER STATISTICAL ASSOC +15403|Technovation|Engineering / Technological innovations; Industrial management|0166-4972|Monthly| |ELSEVIER SCIENCE BV +15404|Tecnologia Y Ciencias Del Agua| | |Quarterly| |INST MEXICANO TECHNOLOGIAAGUA +15405|Tectonics|Geosciences / Geology, Structural; Tektoniek|0278-7407|Bimonthly| |AMER GEOPHYSICAL UNION +15406|Tectonophysics|Geosciences / Geodynamics; Geophysics; Geology, Structural; Geofysica; Tektoniek|0040-1951|Semimonthly| |ELSEVIER SCIENCE BV +15407|Tehnicki Vjesnik-Technical Gazette|Engineering|1330-3651|Quarterly| |UNIV OSIJEK +15408|Teka Komisji Ochrony I Ksztaltowania Srodowiska Przyrodniczego| |1733-4233|Annual| |POLSKA AKAD NAUK +15409|Teknik Dergi|Engineering|1300-3453|Quarterly| |TURKISH CHAMBER CIVIL ENGINEERS +15410|Tekstil|Materials Science|0492-5882|Irregular| |ASSOC TEXTILE ENGINEERS TECHNICIANS CROATIA +15411|Tekstil Ve Konfeksiyon|Engineering|1300-3356|Quarterly| |EGE UNIVERSITESI +15412|Teksty Drugie| |0867-0633|Bimonthly| |POLISH ACAD SCIENCES +15413|Telecommunication Systems|Computer Science / Telecommunication systems|1018-4864|Monthly| |SPRINGER +15414|Telecommunications Policy|Social Sciences, general / Telecommunication|0308-5961|Monthly| |ELSEVIER SCI LTD +15415|Telemedicine Journal and e-Health|Clinical Medicine / Telecommunication in medicine; Telemedicine / Telecommunication in medicine; Telemedicine|1530-5627|Quarterly| |MARY ANN LIEBERT INC +15416|Telephony| |0040-2656|Semimonthly| |PRISM BUSINESS MEDIA +15417|Television Quarterly| |0040-2796|Quarterly| |NATL ACAD TELEVISION ARTS SCIENCES +15418|Tellus Series A-Dynamic Meteorology and Oceanography|Geosciences / Dynamic meteorology; Oceanography / Dynamic meteorology; Oceanography|0280-6495|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15419|Tellus Series B-Chemical and Physical Meteorology|Geosciences / Atmospheric chemistry; Atmospheric physics; Meteorology; Air|0280-6509|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15420|Telma| |0340-4927|Annual| |DEUTSCHE GESELLSCHAFT MOOR-TORFKUNDE-DGMT E V +15421|Telopea|Plant & Animal Science|0312-9764|Semiannual| |NATL HERBARIUM NEW SOUTH WALES +15422|Temanord| |0908-6692|Irregular| |NORDIC COUNCIL MINISTERS +15423|Temenos| |0497-1817|Semiannual| |FINNISH SOC STUDY RELIGION +15424|Tempo|Music|0040-2982|Quarterly| |CAMBRIDGE UNIV PRESS +15425|Tempo Psicanalitico| |0101-4838|Semiannual| |SOC PSICANALISE IRACY DOYLE +15426|Tempo Social|Social Sciences, general / Sociology|0103-2070|Semiannual| |UNIV SAO PAOLO +15427|Tempo-Niteroi| |1413-7704|Annual| |UNIV FED FLUMINENSE +15428|Temps Modernes| |0040-3075|Quarterly| |TEMPS MODERNES +15429|Tendenzen| |0944-0844|Irregular| |UEBERSEE-MUSEUM +15430|Tenside Surfactants Detergents|Chemistry|0932-3414|Bimonthly| |CARL HANSER VERLAG +15431|Tentacle| |0958-5079|Semiannual| |IUCN-SSC MOLLUSC SPECIALIST GROUP +15432|Teología y vida| |0049-3449|Quarterly| |PONTIFICIA UNIVERSIDAD CATOLICA CHILE +15433|Teorema| |0210-1602|Tri-annual| |KRK EDICIONES +15434|Teoria de la Educacion|Social Sciences, general|1130-3743|Semiannual| |EDICIONES UNIV SALAMANCA +15435|Teoriya I Praktika Fizicheskoy Kultury|Social Sciences, general|0040-3601|Monthly| |TEORIYA PRAKTIKA FIZICHESKOI KULTURY +15436|Terapevticheskii Arkhiv|Clinical Medicine|0040-3660|Monthly| |IZDATELSTVO MEDITSINA +15437|Termeszetvedelmi Kozlemenyek| |1216-4585|Annual| |MAGYAR BIOLOGIAI +15438|Terminology|Social Sciences, general / Terms and phrases|0929-9971|Semiannual| |JOHN BENJAMINS PUBLISHING COMPANY +15439|Terra Nova|Geosciences / Earth sciences; Geology|0954-4879|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15440|Terra-Almaty| |1992-7274| | |TSENTR DISANICIONNOGO ZONDIROVANIYA GIC TERRA +15441|Terrestrial Arthropod Reviews| |1874-9828|Semiannual| |BRILL ACADEMIC PUBLISHERS +15442|Terrestrial Atmospheric and Oceanic Sciences|Geosciences / Geophysics; Earth sciences; Oceanography; Atmospheric physics|1017-0839|Quarterly| |CHINESE GEOSCIENCE UNION +15443|Terrorism and Political Violence|Social Sciences, general / Terrorism; Violence|0954-6553|Quarterly| |ROUTLEDGE JOURNALS +15444|Tervuren African Geoscience Collection| |1780-8561| | |MUSEE ROYAL AFRIQUE CENTRALE +15445|TESOL Quarterly|Social Sciences, general / English language; Taalonderwijs; Vreemde talen; Engels|0039-8322|Quarterly| |TESOL +15446|Test|Mathematics /|1133-0686|Tri-annual| |SPRINGER +15447|Tests of Agrochemicals and Cultivars| |0951-4309|Annual| |ASSOC APPLIED BIOLOGISTS +15448|Testudo| |0265-5403|Annual| |BRITISH CHELONIA GROUP +15449|Tethys Aqua Zoological Research| |1813-6699|Irregular| |TETHYS +15450|Tethys Biodiversity Research| |1811-010X|Irregular| |TETHYS +15451|Tethys Entomological Research| |1680-1024|Irregular| |TETHYS +15452|Tethys Ornithological Research| |1990-6048|Annual| |TETHYS +15453|Tetrahedron|Chemistry / Chemistry, Organic; Chemistry; Organische chemie; Chimie organique|0040-4020|Weekly| |PERGAMON-ELSEVIER SCIENCE LTD +15454|Tetrahedron Letters|Chemistry / Chemistry, Organic; Organische chemie; Chimie organique|0040-4039|Weekly| |PERGAMON-ELSEVIER SCIENCE LTD +15455|Tetrahedron-Asymmetry|Chemistry / Asymmetry (Chemistry); Chemistry; Molecular Structure|0957-4166|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15456|Tetsu to Hagane-Journal of the Iron and Steel Institute of Japan|Materials Science /|0021-1575|Monthly| |IRON STEEL INST JAPAN KEIDANREN KAIKAN +15457|Tettigonia| |1341-6707|Annual| |ORTHOPTEROLOGICAL SOC JAPAN +15458|Texas Heart Institute Journal|Clinical Medicine|0730-2347|Quarterly| |TEXAS HEART INST +15459|Texas Journal of Science|Plant & Animal Science|0040-4403|Quarterly| |TEXAS ACAD SCI +15460|Texas Law Review|Social Sciences, general|0040-4411|Bimonthly| |TEXAS LAW REVIEW PUBL INC +15461|Texas Paleontology Series| |0738-2464|Irregular| |PALEONTOLOGY SECTION HOUSTON GEM MINERAL SOC +15462|Texas Studies in Literature and Language| |0040-4691|Quarterly| |UNIV TEXAS PRESS +15463|Texas Tech University Museum Special Publications| |0149-1768|Irregular| |TEXAS TECH UNIV +15464|Text & Kritik| |0040-5329|Quarterly| |EDITION TEXT KRITIK GMBH +15465|Text & Talk|Multidisciplinary / Discourse analysis; Linguistics; Communication; Language and languages / Discourse analysis; Linguistics; Communication; Language and languages|1860-7330|Bimonthly| |MOUTON DE GRUYTER +15466|Text and Performance Quarterly|Oral communication; Literature|1046-2937|Quarterly| |ROUTLEDGE JOURNALS +15467|Texte-Revue de Critique et de Theorie Litteraire| |0715-8920|Annual| |EDITIONS TRINTEXTE +15468|Textile History|Textile industry; Textile fabrics|0040-4969|Semiannual| |MANEY PUBLISHING +15469|Textile Research Journal|Materials Science / Textile industry; Textile fabrics; Textile research|0040-5175|Semimonthly| |SAGE PUBLICATIONS LTD +15470|Textile-The Journal of Cloth & Culture|Textile fabrics; Clothing and dress|1475-9756|Tri-annual| |BERG PUBL +15471|Texto & Contexto Enfermagem| |0104-0707|Quarterly| |UNIV FEDERAL SANTA CATARINA +15472|Textual Practice|Literature, Modern; Criticism; Criticism, Textual; Semiotics|0950-236X|Tri-annual| |ROUTLEDGE JOURNALS +15473|Thai Journal of Hospital Pharmacy| |1513-4067|Quarterly| |ASSOC HOSPITAL PHARMACY +15474|Thai Journal of Veterinary Medicine|Plant & Animal Science|0125-6491|Quarterly| |CHULALONGKORN UNIV +15475|Thailand Natural History Museum Journal| |1686-770X|Bimonthly| |NATL SCIENCE MUSEUM +15476|Thaiszia| |1210-0420|Irregular| |BOTANICAL GARDEN +15477|Thalamus & Related Systems|Thalamus; Neurons; Synapses|1472-9288|Quarterly| |CAMBRIDGE UNIV PRESS +15478|Thalassas|Plant & Animal Science|0212-5919|Semiannual| |UNIV VIGO +15479|Thalassia Salentina| |0563-3745|Annual| |UNIV DEGLI STUDI LECCE +15480|Theater|Theater; Theater and society; Dramatists; Experimental theater; TEATRO|0161-0775|Tri-annual| |DUKE UNIV PRESS +15481|Theater Heute| |0040-5507|Monthly| |FRIEDRICH BERLIN VERLAG MBH +15482|Theatre History Studies| |0733-2033|Annual| |THEATRE HISTORY STUDIES +15483|Theatre Journal|Drama|0192-2882|Quarterly| |JOHNS HOPKINS UNIV PRESS +15484|Theatre Notebook| |0040-5523|Tri-annual| |SOC THEATRE RES +15485|Theatre Research in Canada-Recherches Theatrales Au Canada| |1196-1198|Semiannual| |UNIV TORONTO +15486|Theatre Research International|Theater|0307-8833|Tri-annual| |CAMBRIDGE UNIV PRESS +15487|Theatre Survey|Theater; Théâtre|0040-5574|Semiannual| |CAMBRIDGE UNIV PRESS +15488|Theological Studies| |0040-5639|Quarterly| |THEOLOGICAL STUDIES INC +15489|Theology Today| |0040-5736|Quarterly| |PRINCETON THEOLOGICAL SEMINARY +15490|Theoretical and Applied Climatology|Geosciences / Climatology; Meteorology|0177-798X|Monthly| |SPRINGER WIEN +15491|Theoretical and Applied Fracture Mechanics|Engineering /|0167-8442|Bimonthly| |ELSEVIER SCIENCE BV +15492|Theoretical and Applied Genetics|Plant & Animal Science / Genetics; Breeding; Genetica; Génétique; Amélioration génétique|0040-5752|Semimonthly| |SPRINGER +15493|Theoretical and Applied Karstology| |1012-9308|Annual| |EDITURA ACAD ROMANE +15494|Theoretical and Computational Fluid Dynamics|Physics / Fluid dynamics|0935-4964|Bimonthly| |SPRINGER +15495|Theoretical and Experimental Chemistry|Chemistry / Chemistry; Chemistry, Physical; Chimie physique et théorique|0040-5760|Bimonthly| |SPRINGER +15496|Theoretical and Mathematical Physics|Physics / Mathematical physics; Natuurkunde|0040-5779|Monthly| |SPRINGER +15497|Theoretical Biology and Medical Modelling|Computer Science / Biology; Medical sciences; Models, Biological; Models, Theoretical|1742-4682|Irregular| |BIOMED CENTRAL LTD +15498|Theoretical Chemistry Accounts|Chemistry / Chemistry, Physical and theoretical / Chemistry, Physical and theoretical|1432-881X|Monthly| |SPRINGER +15499|Theoretical Computer Science|Computer Science / Machine theory; Robots; Formal languages|0304-3975|Biweekly| |ELSEVIER SCIENCE BV +15500|Theoretical Criminology|Social Sciences, general / Criminology; Criminologie|1362-4806|Quarterly| |SAGE PUBLICATIONS LTD +15501|Theoretical Ecology|Environment/Ecology /|1874-1738|Quarterly| |SPRINGER HEIDELBERG +15502|Theoretical Foundations of Chemical Engineering|Chemistry / Chemical engineering; Chemistry, Technical; Génie chimique|0040-5795|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15503|Theoretical Linguistics|Linguistics|0301-4428|Tri-annual| |WALTER DE GRUYTER & CO +15504|Theoretical Medicine and Bioethics|Social Sciences, general / Medicine; Medical ethics; Bioethics; Ethics, Medical; Philosophy, Medical; Medische ethiek; Médecine; Éthique médicale / Medicine; Medical ethics; Bioethics; Ethics, Medical; Philosophy, Medical; Medische ethiek; Médecine; Éthi|1386-7415|Bimonthly| |SPRINGER +15505|Theoretical Population Biology|Molecular Biology & Genetics / Population genetics; Population; Biology; Mathematics; Populaties (biologie); Génétique des populations|0040-5809|Bimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +15506|Theoria-A Swedish Journal of Philosophy| |0040-5825|Quarterly| |WILEY-BLACKWELL PUBLISHING +15507|Theoria-Revista de Teoria Historia Y Fundamentos de la Ciencia| |0495-4548|Tri-annual| |SERVICIO EDITORIAL UNIVERSIDAD DEL PAIS VASCO +15508|Theory & Psychology|Psychiatry/Psychology / Psychology; Psychological Theory; Psychologie / Psychology; Psychological Theory; Psychologie|0959-3543|Quarterly| |SAGE PUBLICATIONS LTD +15509|Theory and Applications of Categories| |1201-561X|Irregular| |MOUNT ALLISON UNIV +15510|Theory and Decision|Economics & Business / Social sciences; Science; Filosofie; Sociale wetenschappen; Sciences sociales; Sciences|0040-5833|Bimonthly| |SPRINGER +15511|Theory and Practice of Logic Programming|Computer Science / Logic programming; Artificial intelligence; Constraint programming (Computer science)|1471-0684|Bimonthly| |CAMBRIDGE UNIV PRESS +15512|Theory and Society|Social Sciences, general / Sociology|0304-2421|Bimonthly| |SPRINGER +15513|Theory Culture & Society|Social Sciences, general / Social sciences; Critical theory; Philosophy, Modern; Poststructuralism; Postmodernism; Identity (Philosophical concept); Sociale wetenschappen; Cultuur; Sociologie; Sciences sociales / Social sciences; Critical theory; Philoso|0263-2764|Bimonthly| |SAGE PUBLICATIONS LTD +15514|Theory in Biosciences|Biology & Biochemistry / Biology; Life sciences; Biological Sciences; Biologie; Theorie|1431-7613|Tri-annual| |SPRINGER +15515|Theory Into Practice|Social Sciences, general / Education; Educational innovations|0040-5841|Quarterly| |OHIO STATE UNIV +15516|Theory of Computing Systems|Computer Science / Computer science; Computers / Computer science; Computers|1432-4350|Bimonthly| |SPRINGER +15517|Theory of Probability and Its Applications|Mathematics / Probabilities / Probabilities|0040-585X|Quarterly| |SIAM PUBLICATIONS +15518|Therapeutic Apheresis and Dialysis|Clinical Medicine|1744-9979|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15519|Therapeutic Drug Monitoring|Pharmacology & Toxicology / Pharmacokinetics; Patient monitoring; Drugs; Body fluids; Drug Therapy; Monitoring, Physiologic; Chimiothérapie; Monitorage (Soins hospitaliers); Pharmacologie|0163-4356|Bimonthly| |LIPPINCOTT WILLIAMS & WILKINS +15520|Therapeutische Umschau|Clinical Medicine / Medicine; Therapeutics|0040-5930|Monthly| |VERLAG HANS HUBER +15521|Thérapie|Pharmacology & Toxicology / Drug Therapy; Pharmacology; Therapeutics|0040-5957|Bimonthly| |EDP SCIENCES S A +15522|Thérapie Familiale|Psychiatry/Psychology / Family Therapy|0250-4952|Quarterly| |MEDECINE ET HYGIENE +15523|Theriogenology|Plant & Animal Science / Theriogenology; Animal Population Groups; Pregnancy Complications; Reproduction; Veeteelt; Voortplanting (biologie)|0093-691X|Semimonthly| |ELSEVIER SCIENCE INC +15524|Thermal Science|Engineering /|0354-9836|Quarterly| |VINCA INST NUCLEAR SCI +15525|Thermochimica Acta|Engineering / Thermochemistry; Thermochemie|0040-6031|Monthly| |ELSEVIER SCIENCE BV +15526|Thermophysics and Aeromechanics|Physics /|0869-8643|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15527|TheScientificWorldJOURNAL|Multidisciplinary /|1537-744X|Quarterly| |THESCIENTIFICWORLD LTD +15528|Thin Solid Films|Materials Science / Thin films; Coating; Dunne films; Metalen|0040-6090|Semimonthly| |ELSEVIER SCIENCE SA +15529|Thin-Walled Structures|Engineering / Thin-walled structures|0263-8231|Monthly| |ELSEVIER SCI LTD +15530|Thinking & Reasoning|Psychiatry/Psychology / Thought and thinking; Reasoning (Psychology) / Thought and thinking; Reasoning (Psychology)|1354-6783|Quarterly| |PSYCHOLOGY PRESS +15531|Third Text|Art and society; Art|0952-8822|Bimonthly| |ROUTLEDGE JOURNALS +15532|Third World Quarterly|Social Sciences, general /|0143-6597|Quarterly| |ROUTLEDGE JOURNALS +15533|Thmcf Technical Report| |1468-2087|Irregular| |THORNE HATFIELD MOORS CONSERVATION FORUM +15534|Thomas Burke Memorial Washington State Museum Research Report| |1046-4891|Irregular| |UNIV WASHINGTON PRESS +15535|Thomas Wolfe Review| |0276-5683|Semiannual| |THOMAS WOLFE SOC +15536|Thomist| |0040-6325|Quarterly| |THOMIST PRESS +15537|Thoracic and Cardiovascular Surgeon|Clinical Medicine / Thorax; Vascular Surgical Procedures|0171-6425|Bimonthly| |GEORG THIEME VERLAG KG +15538|Thorax|Clinical Medicine / Chest; Thorax|0040-6376|Monthly| |B M J PUBLISHING GROUP +15539|Thorne & Hatfield Moors Papers| |0963-0554|Annual| |THORNE HATFIELD MOORS CONSERVATION FORUM +15540|Threatened Species Recovery Plan| |1170-3806|Irregular| |DEPARTMENT CONSERVATION +15541|Thrombosis and Haemostasis|Clinical Medicine / Disease susceptibility; Thrombosis; Hemostasis|0340-6245|Monthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +15542|Thrombosis Research|Clinical Medicine / Thrombosis; Hemorrhage; Hemostasis; Hematologie; Trombose; Thrombose|0049-3848|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +15543|Thueringer Faunistische Abhandlungen| |0947-2142|Annual| |NATURKUNDEMUSEUM ERFURT +15544|Thyroid|Biology & Biochemistry / Thyroid gland; Thyroid hormones; Thyroid Diseases; Thyroid Hormones; Schildklier; Schildklierziekten|1050-7256|Monthly| |MARY ANN LIEBERT INC +15545|Tichodroma| |1337-026X|Annual| |SLOVAK ACAD SCIENCES +15546|Tidsskrift for Samfunnsforskning|Social Sciences, general|0040-716X|Quarterly| |UNIVERSITETSFORLAGET A S +15547|Tieraerztliche Praxis Ausgabe Grosstiere Nutztiere|Plant & Animal Science|1434-1220|Bimonthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +15548|Tieraerztliche Praxis Ausgabe Kleintiere Heimtiere|Plant & Animal Science|1434-1239|Bimonthly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +15549|Tieraerztliche Umschau|Plant & Animal Science|0049-3864|Monthly| |TERRA-VERLAG GMBH +15550|Tierwelt Deutschlands| |0082-4305|Irregular| |GOECKE & EVERS +15551|Tigerpaper-Bangkok| |1014-2789|Quarterly| |FOOD AGRICULTURE ORGANIZATION UNITED NATIONS-FAO REGIONAL OFFICE ASIA PA +15552|Tijdschrift van de Koninklijke Vereniging voor Nederlandse Muziekgeschiedenis|Music|1383-7079|Semiannual| |ROYAL V N M +15553|Tijdschrift Voor Communicatiewetenschap| |1384-6930|Quarterly| |UITGEVERIJ BOOM BV +15554|Tijdschrift Voor Diergeneeskunde|Plant & Animal Science|0040-7453|Semimonthly| |ROYAL NETHERLANDS VETERINARY ASSOC +15555|Tijdschrift voor Economische en Sociale Geografie|Social Sciences, general / Economic geography; Human geography; GEOGRAFIA ECONOMICA; Economische geografie; Sociale geografie|0040-747X|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15556|Tijdschrift Voor Entomologie| |0040-7496|Irregular| |NEDERLANDSE ENTOMOLOGISCHE VERENIGING +15557|Tijdschrift voor Filosofie| |0040-750X|Quarterly| |TIJDSCHRIFT VOOR FILOSOFIE +15558|Tijdschrift Voor Geschiedenis| |0040-7518|Quarterly| |WOLTERS-NOORDHOFF B V +15559|Tijdschrift Voor Nederlandse Taal-En Letterkunde| |0040-7550|Quarterly| |BRILL ACADEMIC PUBLISHERS +15560|Tijdschrift Voor Rechtsgeschiedenis-Revue D Histoire Du Droit-The Legal History Review|Law; Rechtsgeschiedenis (wetenschap)|0040-7585|Semiannual| |BRILL ACADEMIC PUBLISHERS +15561|Time & Society|Social Sciences, general / Time / Time|0961-463X|Semiannual| |SAGE PUBLICATIONS LTD +15562|Timely Topics in Medicine-Bone Diseases| | |Monthly| |PROUS SCIENCE +15563|Timely Topics in Medicine-Cardiovascular Diseases| |1579-0789|Monthly| |PROUS SCIENCE +15564|Timely Topics in Medicine-Dementia| |1887-4479|Monthly| |PROUS SCIENCE +15565|Timely Topics in Medicine-Dermatology| | |Monthly| |PROUS SCIENCE +15566|Timely Topics in Medicine-Digestive Diseases| | |Monthly| |PROUS SCIENCE +15567|Timely Topics in Medicine-Endocrine Diseases| | |Monthly| |PROUS SCIENCE +15568|Timely Topics in Medicine-Eye Diseases| | |Monthly| |PROUS SCIENCE +15569|Timely Topics in Medicine-Gastroenterology| |1698-3947|Quarterly| |PROUS SCIENCE +15570|Tinea| |0493-3168|Irregular| |JAPAN HETEROCERISTS SOC +15571|Tip Revista Especializada En Ciencias Quimico-Biologicas| |1405-888X|Semiannual| |UNIV NACIONAL AUTONOMA MEXICO +15572|Tiscia-Szeged| |0563-587X|Irregular| |UNIV SZEGED +15573|Tissue & Cell|Molecular Biology & Genetics / Cytology; Cells; Celbiologie; Histologie; Cytologie|0040-8166|Bimonthly| |CHURCHILL LIVINGSTONE +15574|Tissue Antigens|Clinical Medicine / Antigens; Immunological tolerance; Immunogenetics; Histocompatibility Antigens|0001-2815|Monthly| |WILEY-BLACKWELL PUBLISHING +15575|Tissue Engineering and Regenerative Medicine|Molecular Biology & Genetics|1738-2696|Quarterly| |KOREAN TISSUE ENGINEERING REGENERATIVE MEDICINE SOC +15576|Tissue Engineering Part A|Molecular Biology & Genetics / Tissue engineering; Biomedical materials; Biomedical engineering; Tissue culture; Biocompatible Materials; Biomedical Engineering; Tissue Culture; Tissue Engineering; Guided Tissue Regeneration|1937-3341|Monthly| |MARY ANN LIEBERT INC +15577|Tissue Engineering Part B-Reviews|Molecular Biology & Genetics / Tissue Engineering; Guided Tissue Regeneration; Research|1937-3368|Quarterly| |MARY ANN LIEBERT INC +15578|Tissue Engineering Part C-Methods|Molecular Biology & Genetics / Tissue Engineering; Guided Tissue Regeneration|1937-3384|Quarterly| |MARY ANN LIEBERT INC +15579|Tls-The times Literary Supplement| |0307-661X|Weekly| |TIMES SUPPLEMENTS LIMITED +15580|Tm-Technisches Messen|Engineering / Engineering instruments; Physical measurements; Measuring instruments|0171-8096|Monthly| |OLDENBOURG VERLAG +15581|Tobacco Control|Social Sciences, general / Tobacco use; Smoking; Tobacco Use Disorder; Tobacco|0964-4563|Quarterly| |B M J PUBLISHING GROUP +15582|Tohoku Journal of Agricultural Research| |0040-8719|Quarterly| |TOHOKU UNIV +15583|Tohoku Journal of Experimental Medicine|Clinical Medicine / Medicine, Experimental; Medicine; Research|0040-8727|Monthly| |TOHOKU UNIV MEDICAL PRESS +15584|Tohoku Mathematical Journal|Mathematics / Mathematics|0040-8735|Quarterly| |TOHOKU UNIVERSITY +15585|Tohoku Psychologica Folia| |0040-8743|Annual| |TOHOKU UNIV +15586|Toksikologicheskii Vestnik| |0869-7922|Bimonthly| |ROSSIISKII REGISTR POTENTSYAL'NO OPASNYKH KHIMICHESKIKH I BIOLOGICHESKIKH +15587|Tokurana| | |Irregular| |TOKURANA-HAKKO-KAI +15588|Tokushima Daigaku So-Go Kagakubu Shizen Kagaku Kenkyu| |0914-6385|Annual| |UNIV TOKUSHIMA +15589|Tombo-Tokyo| |0495-8314|Annual| |JAPANESE SOC ODONATOLOGY +15590|Top|Engineering /|1134-5764|Semiannual| |SPRINGER +15591|Topics in Applied Physics|Physics|0303-4216|Quarterly| |SPRINGER-VERLAG BERLIN +15592|Topics in Catalysis|Chemistry / Catalysis; Chemistry, Physical and theoretical|1022-5528|Bimonthly| |SPRINGER/PLENUM PUBLISHERS +15593|Topics in Companion Animal Medicine|Plant & Animal Science / Pet medicine; Veterinary Medicine; Animals, Domestic|1938-9736|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +15594|Topics in Current Chemistry|Chemistry|0340-1022|Irregular| |SPRINGER-VERLAG BERLIN +15595|Topics in Early Childhood Special Education|Social Sciences, general / Children with disabilities; Child Development; Education, Special; Learning; Child; Infant; Voorschools onderwijs; Speciaal onderwijs; Éducation spéciale|0271-1214|Quarterly| |SAGE PUBLICATIONS INC +15596|Topics in Geriatric Rehabilitation|Social Sciences, general|0882-7524|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +15597|Topics in Language Disorders|Social Sciences, general /|0271-8294|Quarterly| |LIPPINCOTT WILLIAMS & WILKINS +15598|Topics in Organometallic Chemistry|Chemistry|1436-6002|Irregular| |SPRINGER-VERLAG BERLIN +15599|Topics in Stroke Rehabilitation|Clinical Medicine / Cerebrovascular Disorders; Cerebrovascular disease|1074-9357|Bimonthly| |THOMAS LAND PUBLISHERS +15600|Topoi-An International Review of Philosophy|Philosophy|0167-7411|Semiannual| |SPRINGER +15601|Topological Methods in Nonlinear Analysis|Mathematics|1230-3429|Quarterly| |JULIUSZ SCHAUDER CTR NONLINEAR STUDIES +15602|Topology|Mathematics / Topology|0040-9383|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15603|Topology and its Applications|Mathematics / Topology; Topologie; Toepassingen|0166-8641|Monthly| |ELSEVIER SCIENCE BV +15604|Total Quality Management & Business Excellence|Economics & Business / Total quality management; Quality control; Quality assurance; Production management / Total quality management; Quality control; Quality assurance; Production management|1478-3363|Bimonthly| |ROUTLEDGE JOURNALS +15605|Tottori Daigaku Nogakubu Enshurin Kenkyu Hokoku| |0082-5379|Irregular| |TOTTORI UNIV FORESTS +15606|Toung Pao| |0082-5433|Semiannual| |BRILL ACADEMIC PUBLISHERS +15607|Tourism Economics|Social Sciences, general|1354-8166|Quarterly| |I P PUBLISHING LTD +15608|Tourism Geographies|Social Sciences, general / Travel; Ecotourism|1461-6688|Quarterly| |ROUTLEDGE JOURNALS +15609|Tourism Management|Economics & Business / Tourism|0261-5177|Bimonthly| |ELSEVIER SCI LTD +15610|Touyou Koumori Kenkyuujo Kiyou| |1346-8510|Annual| |ASIAN BAT RES INST +15611|Toxicologic Pathology|Pharmacology & Toxicology / Pathology; Toxicology; Environmental Pollutants; Pharmacology|0192-6233|Quarterly| |SAGE PUBLICATIONS INC +15612|Toxicological and Environmental Chemistry|Toxicology; Environmental chemistry; Chemistry, Analytical; Environmental Pollution / Toxicology; Environmental chemistry; Chemistry, Analytical; Environmental Pollution|0277-2248|Quarterly| |TAYLOR & FRANCIS LTD +15613|Toxicological Sciences|Pharmacology & Toxicology / Toxicology|1096-6080|Monthly| |OXFORD UNIV PRESS +15614|Toxicology|Pharmacology & Toxicology / Toxicology; Chemicals|0300-483X|Semimonthly| |ELSEVIER IRELAND LTD +15615|Toxicology and Applied Pharmacology|Pharmacology & Toxicology / Toxicology; Pharmacology|0041-008X|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +15616|Toxicology and Industrial Health|Clinical Medicine / Toxicology, Experimental; Industrial toxicology; Occupational Medicine; Toxicology|0748-2337|Monthly| |SAGE PUBLICATIONS INC +15617|Toxicology in Vitro|Pharmacology & Toxicology / Toxicity testing; Toxicology|0887-2333|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15618|Toxicology International| |0971-6580|Semiannual| |SOC TOXICOLOGY +15619|Toxicology Letters|Pharmacology & Toxicology / Toxicology|0378-4274|Semimonthly| |ELSEVIER IRELAND LTD +15620|Toxicology Mechanisms and Methods|Pharmacology & Toxicology / Analytical toxicology; Toxicology|1537-6524|Monthly| |TAYLOR & FRANCIS INC +15621|Toxicon|Pharmacology & Toxicology / Toxins; Venom; Toxicology|0041-0101|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15622|Toxin Reviews|Clinical Medicine / Toxicology; Toxins|1556-9543|Quarterly| |TAYLOR & FRANCIS INC +15623|Trabajos de Geologia| |0474-9588|Annual| |UNIV OVIEDO +15624|Trabajos de Prehistoria|Social Sciences, general / Prehistoric peoples; Antiquities, Prehistoric; Excavations (Archaeology)|0082-5638|Semiannual| |CONSEJO SUPERIOR DE INVESTIGACIONES CIENTIFICAS +15625|Trac-Trends in Analytical Chemistry|Chemistry / Chemistry, Analytic; Chemistry, Analytical; Analytische chemie|0165-9936|Monthly| |ELSEVIER SCI LTD +15626|Trace Elements and Electrolytes|Biology & Biochemistry|0946-2104|Quarterly| |DUSTRI-VERLAG DR KARL FEISTLE +15627|Traditio-Studies in Ancient and Medieval History Thought and Religion| |0362-1529|Annual| |FORDHAM UNIV PRESS +15628|Tradition-A Journal of Orthodox Jewish Thought| |0041-0608|Quarterly| |RABBINICAL COUNCIL AMER +15629|Traffic|Biology & Biochemistry / Biological transport; Biological Transport; Intracellular Membranes; Intracellulaire verschijnselen; Biologisch transport|1398-9219|Monthly| |WILEY-BLACKWELL PUBLISHING +15630|Traffic Bulletin| |0267-4297|Irregular| |TRAFFIC INT +15631|Traffic Injury Prevention|Social Sciences, general / Traffic safety; Traffic accidents; Wounds and injuries; Accidents, Traffic; Accident Prevention; Biomechanics; Wounds and Injuries|1538-9588|Bimonthly| |TAYLOR & FRANCIS INC +15632|Traffic Online Report Series| | |Annual| |TRAFFIC INT +15633|Training and Education in Professional Psychology|Psychology|1931-3918|Quarterly| |EDUCATIONAL PUBLISHING FOUNDATION +15634|Traitement Du Signal|Engineering|0765-0019|Quarterly| |PRESSES UNIV GRENOBLE +15635|Trakia Journal of Sciences| |1312-1723|Tri-annual| |TRAKIA UNIV +15636|Trakya Universitesi Fen Bilimleri Dergisi| |1867-5417|Semiannual| |TRAKYA UNIV +15637|Trakya Universitesi Tip Fakultesi Dergisi|Clinical Medicine /|1301-3149|Tri-annual| |EKIN TIBBI YAYINCILIK LTD STI-EKIN MEDICAL PUBL +15638|Trames-Journal of the Humanities and Social Sciences|Social Sciences, general / Social sciences; Humanities|1406-0922|Quarterly| |ESTONIAN ACADEMY PUBLISHERS +15639|Trans-Form-Acao|Philosophy; FILOSOFIA|0101-3173|Semiannual| |UNESP-MARILIA +15640|Transactions Essa Entomological Society Niigata| |0289-4289|Semiannual| |ESSA ENTOMOLOGICAL SOC +15641|Transactions Nagasaki Biological Society| |0387-4249|Semiannual| |NAGASAKI BIOLOGICAL SOC +15642|Transactions of Famena|Engineering|1333-1124|Semiannual| |UNIV ZAGREB FAC MECHANICAL ENGINEERING & NAVAL ARCHITECTURE +15643|Transactions of Nonferrous Metals Society of China|Materials Science / Nonferrous metals|1003-6326|Bimonthly| |ELSEVIER SCIENCE BV +15644|Transactions of Oceanology and Limnology| |1003-6482|Quarterly| |CHINA INT BOOK TRADING CORP +15645|Transactions of the American Entomological Society|Plant & Animal Science / Entomology|0002-8320|Tri-annual| |AMER ENTOMOL SOC +15646|Transactions of the American Fisheries Society|Plant & Animal Science / Fish culture|0002-8487|Bimonthly| |AMER FISHERIES SOC +15647|Transactions of the American Institute of Chemical Engineers| |0096-7408|Annual| |AMER INST CHEMICAL ENGINEERS +15648|Transactions of the American Institute of Mining and Metallurgical Engineers| |0096-4778|Bimonthly| |MINERALS METALS MATERIALS SOC +15649|Transactions of the American Institute of Mining Engineers| | | | |MINERALS METALS MATERIALS SOC +15650|Transactions of the American Mathematical Society|Mathematics / Mathematics; Wiskunde; Mathématiques|0002-9947|Monthly| |AMER MATHEMATICAL SOC +15651|Transactions of the American Philological Association|Philology; Classical philology; Classical literature; Filologie; Klassieke talen; Philologie|0360-5949|Semiannual| |JOHNS HOPKINS UNIV PRESS +15652|Transactions of the American Philosophical Society|Science; Social sciences; Natuurwetenschappen|0065-9746|Bimonthly| |AMER PHILOSOPHICAL SOC +15653|Transactions of the Ancient Monuments Society| |0951-001X|Annual| |ANCIENT MONUMENTS SOC +15654|Transactions of the Asabe|Agricultural Sciences|0001-2351|Bimonthly| |AMER SOC AGRICULTURAL & BIOLOGICAL ENGINEERS +15655|Transactions of the Canadian Society for Mechanical Engineering|Engineering|0315-8977|Quarterly| |CSME TRANS. +15656|Transactions of the Charles S Peirce Society|Philosophy; Philosophie américaine|0009-1774|Quarterly| |INDIANA UNIV PRESS +15657|Transactions and Journal of Proceedings of the Dumfriesshire and Galloway Natural History and Antiquarian Society| |0141-1292|Annual| |DUMFRIESSHIRE GALLOWAY NATURAL HISTORY ANTIQUARIAN SOC +15658|Transactions of the Faraday Society|Electric engineering; Chemistry; Metallography; Biology; Physics|0014-7672|Monthly| |ROYAL SOC CHEMISTRY +15659|Transactions of the Illinois State Academy of Science| |0019-2252|Irregular| |ILLINOIS STATE ACAD SCIENCE +15660|Transactions of the Indian Ceramic Society|Materials Science|0371-750X|Quarterly| |INDIAN CERAMIC SOC +15661|Transactions of the Indian Institute of Metals|Materials Science /|0019-493X|Bimonthly| |SPRINGER INDIA +15662|Transactions of the Institute of British Geographers|Social Sciences, general / Geography; Geografie|0020-2754|Quarterly| |WILEY-BLACKWELL PUBLISHING +15663|Transactions of the Institute of Measurement and Control|Engineering / Automatic control; Measuring instruments|0142-3312|Bimonthly| |SAGE PUBLICATIONS LTD +15664|Transactions of the Institute of Metal Finishing|Materials Science /|0020-2967|Bimonthly| |MANEY PUBLISHING +15665|TRANSACTIONS OF THE JAPAN SOCIETY FOR AERONAUTICAL AND SPACE SCIENCES|Engineering / Aeronautics; Aerodynamics; Space sciences|0549-3811|Quarterly| |JAPAN SOC AERONAUT SPACE SCI +15666|Transactions of the Japanese Society of Irrigation Drainage and Rural Engineering| |1882-2789|Bimonthly| |JAPANESE SOC IRRIGATION DRAINAGE & RECLAMATION ENGINEERING +15667|Transactions of the Kansas Academy of Science|Science / Science|0022-8443|Quarterly| |KANSAS ACAD SCIENCE-KAS +15668|Transactions of the Kent Field Club| |0141-1225|Annual| |KENT FIELD CLUB +15669|Transactions of the Lepidopterological Society of Japan| |0024-0974|Quarterly| |LEPIDOPTEROLOGICAL SOC JAPAN +15670|Transactions of the Missouri Academy of Science| |0544-540X|Annual| |MISSOURI ACAD SCIENCE +15671|Transactions of the Natural History Society of Northumbria| |0144-221X|Semiannual| |NATURAL HISTORY SOC NORTHUMBRIA +15672|Transactions of the Nebraska Academy of Sciences| |0077-6351|Annual| |NEBRASKA ACAD SCIENCES INC +15673|Transactions of the Ophthalmological Society of Australia| |0067-1789| | |AUSTRALASIAN MED PUBL CO LTD +15674|Transactions of the Philological Society|Philology|0079-1636|Semiannual| |WILEY-BLACKWELL PUBLISHING +15675|Transactions of the Royal Society of South Africa|Multidisciplinary /|0035-919X|Annual| |TAYLOR & FRANCIS INC +15676|Transactions of the Royal Society of South Australia|Multidisciplinary|0372-1426|Semiannual| |ROYAL SOC SOUTH AUSTRALIA INC +15677|Transactions of the Royal Society of Tropical Medicine and Hygiene|Clinical Medicine / Tropical medicine; Hygiene; Tropical Medicine; Hygiène; Médecine tropicale|0035-9203|Bimonthly| |ELSEVIER SCIENCE INC +15678|Transactions of the Wisconsin Academy of Sciences Arts and Letters| |0084-0505|Annual| |WISCONSIN ACAD SCIENCES +15679|Transactions of the Worcestershire Naturalists Club| |0264-7702|Annual| |WORCESTERSHIRE NATURALISTS CLUB +15680|Transactions of the Zimbabwe Scientific Association| |0254-2765|Annual| |ZIMBABWE SCIENTIFIC ASSOC TRANSACTIONS +15681|Transactions Royal Geological Society Cornwall| |0372-1108|Irregular| |ROYAL GEOLOGICAL SOC CORNWALL +15682|Eos, Transactions, American Geophysical Union| |0002-8606|Quarterly| |AMER GEOPHYSICAL UNION +15683|Transboundary and Emerging Diseases|Plant & Animal Science / Animals; Veterinary medicine; Veterinary epidemiology; Animal Diseases; Veterinary Medicine; Communicable Diseases, Emerging; Disease Outbreaks|1865-1674|Monthly| |WILEY-BLACKWELL PUBLISHING +15684|Transcultural Psychiatry|Psychiatry/Psychology / Social psychology; Psychiatry; Ethnopsychology; Cross-Cultural Comparison|1363-4615|Bimonthly| |SAGE PUBLICATIONS LTD +15685|Transformation Groups|Mathematics / Transformation groups; Lie groups|1083-4362|Quarterly| |BIRKHAUSER BOSTON INC +15686|Transformations in Business & Economics|Economics & Business|1648-4460|Semiannual| |VILNIUS UNIV +15687|Transfusion|Clinical Medicine / Hematology; Blood; Blood Transfusion|0041-1132|Monthly| |WILEY-BLACKWELL PUBLISHING +15688|Transfusion and Apheresis Science|Clinical Medicine / Blood; Hemapheresis; Blood Component Transfusion; Blood Component Removal|1473-0502|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15689|Transfusion Clinique et Biologique|Clinical Medicine / Blood; Blood Transfusion|1246-7820|Bimonthly| |ELSEVIER FRANCE-EDITIONS SCIENTIFIQUES MEDICALES ELSEVIER +15690|Transfusion Medicine|Clinical Medicine / Blood; Blood Transfusion|0958-7578|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15691|Transfusion Medicine and Hemotherapy|Clinical Medicine / Blood; Hematology; Blood Transfusion; Infusions, Parenteral; Parenteral Nutrition|1660-3796|Bimonthly| |KARGER +15692|Transfusion Medicine Reviews|Clinical Medicine / Blood; Blood Transfusion|0887-7963|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +15693|Transgenic Research|Molecular Biology & Genetics / Transgenic organisms; Animal genetic engineering; Plant genetic engineering; Animals, Genetically Modified; Plants, Genetically Modified|0962-8819|Bimonthly| |SPRINGER +15694|Transinformacao|Social Sciences, general|0103-3786|Tri-annual| |PONTIFICIA UNIVERSIDADE CATOLICA CAMPINAS +15695|Transition Metal Chemistry|Chemistry / Transition metal compounds; Chemie|0340-4285|Bimonthly| |SPRINGER +15696|Transitional Water Bulletin| |1825-229X|Quarterly| |UNIV DEGLI STUDI LECCE +15697|Translation and Literature|Translating and interpreting; Literature|0968-1361|Semiannual| |EDINBURGH UNIV PRESS +15698|Translation Review| |0737-4836|Semiannual| |UNIV TEXAS +15699|Translational Oncology|Clinical Medicine|1936-5233|Quarterly| |NEOPLASIA PRESS +15700|Translational Research|Clinical Medicine / Medicine; Laboratory Techniques and Procedures; Research|1931-5244|Monthly| |ELSEVIER SCIENCE INC +15701|Translator|Social Sciences, general|1355-6509|Semiannual| |ST JEROME PUBLISHING +15702|Transplant Immunology|Clinical Medicine / Transplantation immunology; Transplantation Immunology|0966-3274|Quarterly| |ELSEVIER SCIENCE BV +15703|Transplant Infectious Disease|Immunology / Transplantation of organs, tissues, etc; Communicable diseases; Infection; Transplantation; Communicable Diseases; Infection Control; Transplants|1398-2273|Quarterly| |WILEY-BLACKWELL PUBLISHING +15704|Transplant International|Clinical Medicine / Transplantation of organs, tissues, etc; Transplantation; Transplantatie|0934-0874|Monthly| |WILEY-BLACKWELL PUBLISHING +15705|Transplantation|Clinical Medicine / Transplantation of organs, tissues, etc; Transplantation immunology; Transplantation; Chirurgie (geneeskunde); Transplantatie; Greffe (Chirurgie)|0041-1337|Semimonthly| |LIPPINCOTT WILLIAMS & WILKINS +15706|Transplantation Proceedings|Clinical Medicine / Transplantation of organs, tissues, etc; Transplantation; Greffe (Chirurgie); Chirurgie (geneeskunde); Transplantatie|0041-1345|Bimonthly| |ELSEVIER SCIENCE INC +15707|Transport|Engineering / Transportation|1648-4142|Quarterly| |VILNIUS GEDIMINAS TECH UNIV +15708|Transport in Porous Media|Chemistry / Porous materials; Transport theory|0169-3913|Monthly| |SPRINGER +15709|Transport Policy|Social Sciences, general / Transportation and state; Transportation|0967-070X|Bimonthly| |ELSEVIER SCI LTD +15710|Transport Reviews|Social Sciences, general / Transportation; Transportation engineering|0144-1647|Quarterly| |TAYLOR & FRANCIS LTD +15711|Transport Theory and Statistical Physics|Physics / Transport theory; Statistical physics|0041-1450|Bimonthly| |TAYLOR & FRANCIS INC +15712|Transportation|Social Sciences, general / Transportation; Transport; TRANSPORT PLANNING; TRANSPORT SYSTEMS|0049-4488|Quarterly| |SPRINGER +15713|Transportation Journal|Social Sciences, general|0041-1612|Quarterly| |AMER SOC TRANSPORTATION LOGISTICS +15714|Transportation Planning and Technology|Engineering / Transportation; Local transit; Transportation and state|0308-1060|Bimonthly| |TAYLOR & FRANCIS LTD +15715|Transportation Research Part A-Policy and Practice|Social Sciences, general / Transportation|0965-8564|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +15716|Transportation Research Part B-Methodological|Engineering / Transportation|0191-2615|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +15717|Transportation Research Part C-Emerging Technologies|Engineering / Transportation|0968-090X|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15718|Transportation Research Part D-Transport and Environment|Social Sciences, general / Transportation|1361-9209|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15719|Transportation Research Part E-Logistics and Transportation Review|Engineering / Logistics; Transportation|1366-5545|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15720|Transportation Research Part F-Traffic Psychology and Behaviour|Psychiatry/Psychology / Automobile drivers; Automobile driving; Transportation|1369-8478|Bimonthly| |ELSEVIER SCI LTD +15721|Transportation Research Record|Engineering / Transportation; Roads|0361-1981|Irregular| |NATL ACAD SCIENCES +15722|Transportation Science|Social Sciences, general / Transportation; Traffic engineering; Transport; Circulation, Technique de la|0041-1655|Quarterly| |INFORMS +15723|Transportmetrica|Engineering /|1812-8602|Tri-annual| |TAYLOR & FRANCIS INC +15724|Transvaal Museum Monograph| |0255-0172|Irregular| |TRANSVAAL MUSEUM +15725|Transylvanian Review|Social Sciences, general|1221-1249|Quarterly| |CENTER TRANSYLVANIAN STUDIES +15726|Transylvanian Review of Administrative Sciences|Social Sciences, general|1842-2845|Tri-annual| |BABES-BOLYAI UNIV +15727|Transylvanian Review of Systematical and Ecological Research| |1841-7051|Semiannual| |LUCIAN BLAGA UNIV SIBIU +15728|Trauma Violence & Abuse|Social Sciences, general / Child abuse; Family violence; Post-traumatic stress disorder; Child Abuse; Stress Disorders, Post-Traumatic; Violence; Child; Violence envers les enfants; Névroses post-traumatiques chez l'enfant / Child abuse; Family violence;|1524-8380|Quarterly| |SAGE PUBLICATIONS INC +15729|Travail genre et sociétés|Social Sciences, general / Working class; Sex role in the work environment; Women; Sociologie industrielle; Rôle selon le sexe en milieu de travail; Femmes|1294-6303|Semiannual| |ARMAND COLIN +15730|Travail Humain|Psychiatry/Psychology / Psychology, Industrial; Psychophysiology; Human engineering; Psychology, Applied; Work|0041-1868|Quarterly| |PRESSES UNIV FRANCE +15731|Travaux de L Institut de Speologie Emile Racovitza| |0301-9187|Annual| |EDITURA ACAD ROMANE +15732|Travaux de L Institut Scientifique Serie Generale| |1114-9256|Irregular| |INST SCIENTIFIQUE +15733|Travaux de L Institut Scientifique Serie Geologie et Geographie Physique| |0851-299X|Irregular| |INST SCIENTIFIQUE +15734|Travaux de L Institut Scientifique Serie Zoologie| |0252-9343| | |INST SCIENTIFIQUE +15735|Travaux Du Museum National D Histoire Naturelle-Grigore Antipa| |1223-2254|Annual| |MUSEUM HISTOIRE NATURELLE GRIGORE ANTIPA +15736|Travaux Scientifiques des Chercheurs Du Service de Sante des Armees| |0243-7473|Irregular| |CENTRE RECHERCHES SERVICE SANTE ARMEES +15737|Travaux Scientifiques Du Musee National D Histoire Naturelle de Luxembourg| |1017-3366|Irregular| |MUSEE NATIONAL HISTOIRE NATURELLE +15738|Travaux Scientifiques Du Parc National de Port-Cros| |0241-8231|Irregular| |PARC NATL PORT-CROS +15739|Travaux Scientifiques Du Parc Naturel Regional et des Reserves Naturelles de Corse| |0246-1579|Irregular| |PARC NATUREL REGIONAL CORSE +15740|Treasure of Russian Shells| |1025-2517|Annual| |ROMAN EGOROV +15741|Treballs de la Societat Catalana de Lepidopterologia| |0210-6159|Irregular| |SOC CATALANA LEPIDOPTEROLOGIA +15742|Treballs Del Museu de Geologia de Barcelona| |1130-4995|Annual| |MUSEU GEOLOGIA +15743|Tree Genetics & Genomes|Plant & Animal Science /|1614-2942|Quarterly| |SPRINGER HEIDELBERG +15744|Tree Physiology|Plant & Animal Science / Trees; Plantkunde; Bomen (biologie)|0829-318X|Monthly| |OXFORD UNIV PRESS +15745|Tree-Ring Research|Plant & Animal Science /|1536-1098|Semiannual| |TREE-RING SOC +15746|Trees-Structure and Function|Plant & Animal Science / Trees; Forests and forestry; Forest ecology / Trees; Forests and forestry; Forest ecology|0931-1890|Bimonthly| |SPRINGER +15747|Trends in Applied Sciences Research| |1819-3579|Quarterly| |ACADEMIC JOURNALS INC +15748|Trends in Biochemical Sciences|Biology & Biochemistry / Biochemistry|0968-0004|Monthly| |ELSEVIER SCIENCE LONDON +15749|Trends in Biotechnology|Biology & Biochemistry / Biotechnology; Biochemical engineering; Genetic engineering; Industrial microbiology; Biochemistry; Biomedical Engineering; Technology; Biotechnologie|0167-7799|Monthly| |ELSEVIER SCIENCE LONDON +15750|Trends in Cardiovascular Medicine|Clinical Medicine / Cardiovascular system; Cardiovascular Diseases; Hart en bloedvaten|1050-1738|Bimonthly| |ELSEVIER SCIENCE LONDON +15751|Trends in Cell Biology|Molecular Biology & Genetics / Cytology; Cell Physiology|0962-8924|Monthly| |ELSEVIER SCIENCE LONDON +15752|Trends in Cognitive Sciences|Psychiatry/Psychology / Cognitive science; Cognitive neuroscience; Cognitive Science; Cognitie|1364-6613|Monthly| |ELSEVIER SCIENCE LONDON +15753|Trends in Ecology & Evolution|Environment/Ecology / Ecology; Evolution (Biology); Evolution; Evolutie; Ecologie|0169-5347|Monthly| |ELSEVIER SCIENCE LONDON +15754|Trends in Endocrinology and Metabolism|Biology & Biochemistry / Endocrinology; Metabolism; Endocrine Diseases; Endocrine Glands; Hormones / Endocrinology; Metabolism; Endocrine Diseases; Endocrine Glands; Hormones|1043-2760|Monthly| |ELSEVIER SCIENCE LONDON +15755|Trends in Food Science & Technology|Agricultural Sciences / Food industry and trade; Food; Food Industry; Food Technology; Levensmiddelen; Voedingsstoffen; Biotechnologie|0924-2244|Irregular| |ELSEVIER SCIENCE LONDON +15756|Trends in Genetics|Molecular Biology & Genetics / Genetics|0168-9525|Monthly| |ELSEVIER SCIENCE LONDON +15757|Trends in Glycoscience and Glycotechnology|Biology & Biochemistry / Biotechnology; Carbohydrates; Glycoconjugates; Glycosylation|0915-7352|Bimonthly| |GAKUSHIN PUBL CO +15758|Trends in Immunology|Immunology / Immunology; Immunologie; Immunity; Allergy and Immunology; Immune System|1471-4906|Monthly| |ELSEVIER SCI LTD +15759|Trends in Microbiology|Microbiology / Microbiology; Infection; Virulence (Microbiology); Virulence|0966-842X|Monthly| |ELSEVIER SCIENCE LONDON +15760|Trends in Molecular Medicine|Clinical Medicine / Molecular biology; Gene therapy; Clinical Medicine; Molecular Biology; Therapeutics|1471-4914|Monthly| |ELSEVIER SCI LTD +15761|Trends in Neurosciences|Neuroscience & Behavior / Neurology; Neurophysiology; Neurobiology; Neurosciences; Neurologie|0166-2236|Monthly| |ELSEVIER SCIENCE LONDON +15762|Trends in Parasitology|Microbiology / Parasitology; Parasitologie; Parasites; Parasitic Diseases|1471-4922|Monthly| |ELSEVIER SCI LTD +15763|Trends in Pharmacological Sciences|Pharmacology & Toxicology / Pharmacology|0165-6147|Monthly| |ELSEVIER SCIENCE LONDON +15764|Trends in Plant Science|Plant & Animal Science / Botany; Plants|1360-1385|Monthly| |ELSEVIER SCIENCE LONDON +15765|Treubia| |0082-6340|Irregular| |RESEARCH & DEVELOPMENT CENTRE FOR BIOLOGY +15766|Trials|Clinical Medicine / Group-randomized trials; Randomized Controlled Trials|1745-6215|Bimonthly| |BIOMED CENTRAL LTD +15767|Tribology & Lubrication Technology|Engineering|1545-858X|Monthly| |SOC TRIBOLOGISTS & LUBRICATION ENGINEERS +15768|Tribology International|Engineering / Tribology|0301-679X|Monthly| |ELSEVIER SCI LTD +15769|Tribology Letters|Engineering / Tribology; Lubrication and lubricants; Tribologie|1023-8883|Monthly| |SPRINGER/PLENUM PUBLISHERS +15770|Tribology Transactions|Engineering / Lubrication and lubricants|1040-2004|Quarterly| |TAYLOR & FRANCIS INC +15771|Tribulus| |1019-6919|Semiannual| |EMIRATES NATURAL HISTORY GROUP +15772|Trichopteron| |1733-5558|Irregular| |POLISH ENTOMOLOGICAL SOC +15773|Trimestre Economico|Economics & Business|0041-3011|Quarterly| |FONDO CULTURA ECONOMICA +15774|Triquarterly| |0041-3097|Tri-annual| |NORTHWESTERN UNIV +15775|Triton| | |Semiannual| |ISRAEL MALACOLOGICAL SOC +15776|Trivium| |0082-660X|Annual| |TRIVIUM PUBLICATIONS DEPT. OF ENGLISH +15777|Troca| |1025-7462|Annual| |SECRETARIAT GENERAL COMMUNAUTE PACIFIQUE +15778|Trochus Information Bulletin| |1025-7454|Irregular| |SECRETARIAT PACIFIC COMMUNITY +15779|Tropical Agriculture|Agricultural Sciences|0041-3216|Quarterly| |TROPICAL AGRICULTURE +15780|Tropical Animal Health and Production|Plant & Animal Science / Animal health; Animals, Domestic; Tropical Medicine; Veterinary Medicine|0049-4747|Bimonthly| |SPRINGER +15781|Tropical Biomedicine|Clinical Medicine|0127-5720|Semiannual| |MALAYSIAN SOC PARASITOLOGY TROPICAL MEDICINE +15782|Tropical Doctor|Clinical Medicine / Tropical medicine; Medical care; Developing Countries; Tropical Medicine|0049-4755|Quarterly| |ROYAL SOC MEDICINE PRESS LTD +15783|Tropical Ecology|Environment/Ecology|0564-3295|Semiannual| |INT SOC TROPICAL ECOLOGY +15784|Tropical Freshwater Biology| |0795-0101|Semiannual| |TROPICAL FRESHWATER BIOLOGY +15785|Tropical Grasslands|Plant & Animal Science|0049-4763|Quarterly| |TROPICAL GRASSLAND SOC AUST +15786|Tropical Journal of Pharmaceutical Research|Pharmacology & Toxicology|1596-5996|Semiannual| |PHARMACOTHERAPY GROUP +15787|Tropical Lepidoptera| |1048-8138|Semiannual| |ASSOC TROPICAL LEPIDOPTERA +15788|Tropical Lepidoptera Research| |1941-7659|Semiannual| |ASSOC TROPICAL LEPIDOPTERA +15789|Tropical Medicine & International Health|Clinical Medicine / Tropical medicine; Public health; Tropical Medicine; Tropische geneeskunde|1360-2276|Monthly| |WILEY-BLACKWELL PUBLISHING +15790|Tropical Medicine and Health|Tropical medicine; Tropical Medicine|1348-8945|Quarterly| |JAPANESE SOC TROPICAL MEDICINE +15791|Tropical Plant Pathology|Plant & Animal Science /|1982-5676|Bimonthly| |SOC BRASILEIRA FITOPATHOLOGIA +15792|Tropical Veterinarian| |0794-4845|Quarterly| |UNIV IBADAN +15793|Tropical Zoology|Plant & Animal Science|0394-6975|Semiannual| |CENTRO STUDIO FAUNISTICA ECOLOGIA TROPICALI +15794|Tropicultura| |0771-3312|Quarterly| |BELGIAN ADMINISTRATION FOR DEVELOPMENT COOPERATION-B A D C +15795|Trudove Na Instituta Po Okeanologiya| | |Irregular| |BULGARSKA AKAD NA NAUKITE +15796|Trudy Geologicheskogo Instituta Rossiiskaya Akademiya Nauk| |0002-3272|Irregular| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15797|Trudy Institut Parazitologii Rossiiskaya Akademiya Nauk| | |Irregular| |NAUKA +15798|Trudy Instituta Zoologii-Almaty| |0206-0965|Annual| |KAZAKHSTAN ACAD SCIENCES +15799|Trudy Kamchatskogo Filiala Tikhookeanskogo Instituta Geografi Dvo Ran| | |Annual| |TIKHOOKENSKOGO INST GEOGRAFI DVO RAN +15800|Trudy Karelskogo Nauchnogo Centra Rossiiskoi Akademii Nauk| |1997-3217|Quarterly| |ROSSISKAYA AKAD NAUK +15801|Trudy Paleontologicheskogo Instituta| |0376-1444|Irregular| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15802|Trudy Russkogo Entomologicheskogo Obshchestva| |1605-7678|Annual| |RUSSKOE ENTOMOLOGICHESKOE OBSHCHESTVO +15803|Trudy Sankt-Peterburgskogo Obshchestva Estestvoispytatelei| |1028-5970|Irregular| |ALGA-FUND +15804|Trudy Zoologicheskogo Instituta| |0206-0477|Irregular| |ZOOLOGICAL INST +15805|Tsa Newsletter| |0275-6056|Annual| |TURTLE SURVIVAL ALLIANCE +15806|Tsitologiya| |0041-3771|Monthly| |MEZHDUNARODNAYA KNIGA +15807|Tsrnogorska Akademija Nauka I Umjetnosti Posebna Izdanja| |0352-2210|Irregular| |ACAD MONTENEGRINE SCI ARTS +15808|TSW Development & Embryology| |1749-4958|Irregular| |THESCIENTIFICWORLD LTD +15809|Tuba-Ar-Turkish Academy of Sciences Journal of Archaeology| |1301-8566|Annual| |TUBA-TURKISH ACAD SCIENCES +15810|Tuberculosis|Clinical Medicine / Tuberculosis; Lungs|1472-9792|Bimonthly| |CHURCHILL LIVINGSTONE +15811|Tuebinger Mikropalaeontologische Mitteilungen| |0937-373X|Irregular| |UNIV TUEBINGEN +15812|Tuexenia| |0722-494X|Annual| |FLORISTISCH-SOZIOLOGISCHEN ARBEITSGEMEINSCHAFT E V +15813|Tuhinga| |1173-4337|Irregular| |MUSEUM NEW ZEALAND TE PAPA TONGAREWA +15814|Tulane Studies in Zoology and Botany| |0082-6782|Annual| |TULANE UNIV +15815|Tulsa Studies in Womens Literature|Literature; Women authors; Women and literature; Letterkunde; Vrouwen; Écrits de femmes|0732-7730|Semiannual| |UNIV TULSA +15816|Tumor Biology|Clinical Medicine / Tumors; Oncology; Cancer; Carcinoembryonic Antigen; Medical Oncology; Neoplasms; alpha-Fetoproteins|1010-4283|Bimonthly| |SPRINGER +15817|Tumor Research| |0041-4093|Annual| |CANCER RESEARCH INST +15818|Tumori|Clinical Medicine|0300-8916|Bimonthly| |PENSIERO SCIENTIFICO EDITOR +15819|Tunnelling and Underground Space Technology|Engineering / Tunneling; Underground construction; Tunnels; Underground areas|0886-7798|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +15820|Turk Gogus Kalp Damar Cerrahisi Dergisi-Turkish Journal of Thoracic and Cardiovascular Surgery|Clinical Medicine|1301-5680|Quarterly| |EKIN TIBBI YAYINCILIK LTD STI-EKIN MEDICAL PUBL +15821|Turk Kulturu Ve Haci Bektas Veli-Arastirma Dergisi| |1306-8253|Quarterly| |GAZI UNIV +15822|Turk Pediatri Arsivi-Turkish Archives of Pediatrics|Clinical Medicine /|1306-0015|Quarterly| |GALENOS YAYINCILIK +15823|Turk Psikiyatri Dergisi|Psychiatry/Psychology /|1300-2163|Quarterly| |TURKIYE SINIR VE RUH SAGLIGI DERNEGI +15824|Turk Psikoloji Dergisi|Psychiatry/Psychology|1300-4433|Semiannual| |TURKISH PSYCHOLOGISTS ASSOC +15825|Turkderm-Archives of the Turkish Dermatology and Venerology|Clinical Medicine /|1019-214X|Quarterly| |TURKISH SOC DERMATOLOGY VENEROLOGY +15826|Turkish Journal of Agriculture and Forestry|Agricultural Sciences|1300-011X|Bimonthly| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15827|Turkish Journal of Biochemistry-Turk Biyokimya Dergisi|Biology & Biochemistry|0250-4685|Quarterly| |TURKISH BIOCHEM SOC +15828|Turkish Journal of Biology|Biology & Biochemistry|1300-0152|Quarterly| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15829|Turkish Journal of Botany|Plant & Animal Science|1300-008X|Bimonthly| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15830|Turkish Journal of Chemistry|Chemistry|1300-0527|Bimonthly| |SCIENTIFIC TECHNICAL RESEARCH COUNCIL TURKEY-TUBITAK +15831|Turkish Journal of Earth Sciences|Geosciences|1300-0985|Tri-annual| |SCIENTIFIC TECHNICAL RESEARCH COUNCIL TURKEY-TUBITAK +15832|Turkish Journal of Electrical Engineering and Computer Sciences|Engineering|1300-0632|Tri-annual| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15833|Turkish Journal of Engineering & Environmental Sciences| |1300-0160|Bimonthly| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15834|Turkish Journal of Field Crops|Agricultural Sciences|1301-1111|Semiannual| |SOC FIELD CROP SCI +15835|Turkish Journal of Fisheries and Aquatic Sciences|Plant & Animal Science /|1303-2712|Semiannual| |CENTRAL FISHERIES RESEARCH INST +15836|Turkish Journal of Gastroenterology|Clinical Medicine|1300-4948|Quarterly| |TURKISH SOC GASTROENTEROLOGY +15837|Turkish Journal of Geriatrics-Turk Geriatri Dergisi| |1304-2947|Quarterly| |GUNES KITABEVI LTD STI +15838|Turkish Journal of Hematology|Clinical Medicine /|1300-7777|Quarterly| |AVES YAYINCILIK +15839|Turkish Journal of Mathematics|Mathematics|1300-0098|Quarterly| |SCIENTIFIC TECHNICAL RESEARCH COUNCIL TURKEY-TUBITAK +15840|Turkish Journal of Medical Sciences|Clinical Medicine|1300-0144|Bimonthly| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15841|Turkish Journal of Pediatrics|Clinical Medicine|0041-4301|Quarterly| |TURKISH J PEDIATRICS +15842|Turkish Journal of Pharmaceutical Sciences| |1304-530X|Tri-annual| |TURKISH PHARMACISTS ASSOC +15843|Turkish Journal of Rheumatology|Clinical Medicine /|1309-0291|Quarterly| |AVES YAYINCILIK +15844|Turkish Journal of Veterinary & Animal Sciences|Plant & Animal Science|1300-0128|Bimonthly| |SCIENTIFIC TECHNICAL RESEARCH COUNCIL TURKEY-TUBITAK +15845|Turkish Journal of Zoology|Plant & Animal Science|1300-0179|Quarterly| |TUBITAK SCIENTIFIC & TECHNICAL RESEARCH COUNCIL TURKEY +15846|Turkish Neurosurgery|Neuroscience & Behavior /|1019-5149|Quarterly| |TURKISH NEUROSURGICAL SOC +15847|Turkish Online Journal of Educational Technology|Social Sciences, general|1303-6521|Quarterly| |TURKISH ONLINE JOURNAL EDUCATIONAL TECH-TOJET +15848|Turkish Studies|Social Sciences, general /|1468-3849|Tri-annual| |ROUTLEDGE JOURNALS +15849|Turkiye Entomoloji Dergisi-Turkish Journal of Entomology|Plant & Animal Science|1010-6960|Quarterly| |ENTOMOLOGICAL SOC TURKEY +15850|Turkiye Fiziksel Tip Ve Rehabilitasyon Dergisi-Turkish Journal of Physicalmedicine and Rehabilitation| |1302-0234|Quarterly| |GALENOS YAYINCILIK +15851|Turkiye Jeoloji Bulteni| |1016-9164|Semiannual| |TMMOB JEOLOJI MUHENDISLERI ODASI +15852|Turkiye Klinikleri Tip Bilimleri Dergisi|Clinical Medicine|1300-0292|Bimonthly| |ORTADOGU AD PRES & PUBL CO +15853|Turkiye Parazitoloji Dergisi| |1300-6320|Quarterly| |TURKISH SOC PARASITOLOGY +15854|Turkmenistanda Ylym We Tekhnika| | |Monthly| |YLYM PUBLISHERS +15855|Turtle and Tortoise Newsletter|Turtles; Chelonia (Genus); Cheloniidae; Testudinidae; Schildpadden|1526-3096|Semiannual| |CHELONIAN RESEARCH FOUNDATION +15856|Turtlelog| |1947-7635|Irregular| |IUCN-SSC TORTOISE & FRESHWATER TURTLE SPECIALIST GROUP +15857|Twentieth Century British History|History|0955-2359|Quarterly| |OXFORD UNIV PRESS +15858|Twentieth Century Literature|Literature, Modern|0041-462X|Quarterly| |HOFSTRA UNIV PRESS +15859|Twin Research and Human Genetics|Molecular Biology & Genetics / Twins; Multiple birth; Genetics; Multiple Birth Offspring; Twin Studies|1832-4274|Bimonthly| |AUSTRALIAN ACAD PRESS +15860|Twsg News| | |Annual| |THREATENED WATERFOWL SPECIALIST GROUP (TWSG) +15861|Tydskrif Vir die Suid-Afrikaanse Reg| |0257-7747|Quarterly| |JUTA & CO LTD +15862|Tydskrif Vir Geesteswetenskappe| |0041-4751|Quarterly| |SUID-AFRIKAANSE AKAD VIR WETENSKAP EN KUNS +15863|Tydskrif Vir Letterkunde| |0041-476X|Semiannual| |UNIV PRETORIA +15864|Tyndale Bulletin| |0082-7118|Semiannual| |TYNDALE HOUSE +15865|Tyto| |1363-4380|Quarterly| |INT OWL SOC +15866|U S Army Corps of Engineers Engineer Research and Development Center Environmental Laboratory Miscellaneous Paper| | |Irregular| |US ARMY ENGINEER RESEARCH DEVELOPMENT CTR +15867|U S Army Corps of Engineers Engineer Research and Development Center Environmental Laboratory Technical Report| | |Irregular| |US ARMY ENGINEER RESEARCH DEVELOPMENT CTR +15868|U S Department of Agriculture Agriculture Handbook| |0065-4612|Irregular| |NATL TECHNICAL INFORMATION SERVICE-NTIS +15869|U S Forest Service General Technical Report Wo| | |Irregular| |FOREST SERVICE US DEPT AGRICULTURE +15870|U S Forest Service Rocky Mountain Research Station General Technical Report Rmrs-Gtr| | |Irregular| |ROCKY MOUNTAIN RESEARCH STATION +15871|U S Forest Service Rocky Mountain Research Station Research Note Rmrs-Rn| | |Irregular| |ROCKY MOUNTAIN RESEARCH STATION +15872|U S Geological Survey Open-File Report| |0196-1497|Irregular| |US GEOLOGICAL SURVEY +15873|U S Geological Survey Scientific Investigations Report| | |Irregular| |US GEOLOGICAL SURVEY +15874|Uakari| |1981-450X|Semiannual| |INST DESENVOLVIMENTO SUSTENAVEL MAMIRAUA-IDSM +15875|Uccelli D Italia| |0393-1218|Semiannual| |SOC ORNITOLOGICA ITALIANA +15876|Ucla Law Review|Social Sciences, general|0041-5650|Bimonthly| |UNIV CALIF +15877|Ugeskrift for Laeger|Clinical Medicine|0041-5782|Weekly| |LAEGEFORENINGENS FORLAG +15878|Uhod-Uluslararasi Hematoloji-Onkoloji Dergisi|Clinical Medicine /|1306-133X|Quarterly| |AKAD DOKTORLAR YAYINEVI +15879|Uitgaven Natuurwetenschappelijke Studiekring Voor Het Caraibisch Gebied| |1381-2491|Irregular| |FOUNDATION SCIENTIFIC RESEARCH CARIBBEAN REGION +15880|Uk Nature Conservation| |0963-8083|Irregular| |JOINT NATURE CONSERVATION COMMITTEE +15881|Ukrainian Journal of Physical Optics|Physics /|1609-1833|Quarterly| |INST PHYSICAL OPTICS +15882|Ukrainian Mathematical Journal|Mathematics / Wiskunde|0041-5995|Monthly| |SPRINGER +15883|Ukrainskii Biokhimicheskii Zhurnal| |0201-8470|Bimonthly| |INST BIOKHIM IM A B PALLADINA +15884|Ukrainskij Antarktychnij Zhurnal| |1727-7485|Annual| |UKRAINIAN ANTARCTIC CENTRE +15885|Ukrayinskyi Botanichnyi Zhurnal| |0372-4123|Bimonthly| |M G KHOLODNY INST BOTANY +15886|Ulster Folklife| |0082-7347|Annual| |ULSTER FOLK TRANSPORT MUSEUM +15887|Ultimate Reality and Meaning| |0709-549X|Quarterly| |INST U R A M +15888|Ultramicroscopy|Biology & Biochemistry / Electron microscopy; Ultrastructure (Biology); Microscopie électronique; Ultrastructure (Biologie); Microscopy; Microscopy, Electron; Elektronenmicroscopie|0304-3991|Monthly| |ELSEVIER SCIENCE BV +15889|Ultraschall in der Medizin|Clinical Medicine / Ultrasonics / Ultrasonics|0172-4614|Bimonthly| |GEORG THIEME VERLAG KG +15890|Ultrasonic Imaging|Physics / Diagnostic ultrasonic imaging; Ultrasonic testing; Ultrasonic imaging; Ultrasonography|0161-7346|Quarterly| |DYNAMEDIA INC +15891|Ultrasonics|Physics / Ultrasonics; Ultrasonic imaging|0041-624X|Bimonthly| |ELSEVIER SCIENCE BV +15892|Ultrasonics Sonochemistry|Chemistry / Sonochemistry; Ultrasonics; Chemistry|1350-4177|Bimonthly| |ELSEVIER SCIENCE BV +15893|Ultrasound in Medicine and Biology|Clinical Medicine / Ultrasonics in medicine; Ultrasonics in biology; Ultrasonography|0301-5629|Monthly| |ELSEVIER SCIENCE INC +15894|Ultrasound in Obstetrics & Gynecology|Clinical Medicine / Ultrasonics in obstetrics; Generative organs, Female; Diagnostic ultrasonic imaging; Genital Diseases, Female; Ultrasonography, Prenatal; Gynaecologie; Verloskunde; Echografie / Ultrasonics in obstetrics; Generative organs, Female; Di|0960-7692|Monthly| |JOHN WILEY & SONS LTD +15895|Ultrastructural Pathology|Clinical Medicine / Pathology, Cellular; Ultrastructure (Biology); Diagnosis, Electron microscopic; Microscopy, Electron; Pathology; Pathologie; Microscopie|0191-3123|Bimonthly| |INFORMA HEALTHCARE +15896|Uludag Bee Journal - Uludag Aricilik Dergisi| |1303-0248|Tri-annual| |ULUDAG UNIV +15897|Ulum-I Zamin| |1023-7429|Quarterly| |GEOLOGICAL SURVEY IRAN +15898|Ulusal Travma Ve Acil Cerrahi Dergisi-Turkish Journal of Trauma & Emergency Surgery|Clinical Medicine|1306-696X|Quarterly| |TURKISH ASSOC TRAUMA EMERGENCY SURGERY +15899|Uluslararasi Iliskiler-International Relations|Social Sciences, general|1304-7310|Quarterly| |ULUSLARARASI ILISKILER KONSEYI DERNEGI +15900|Umeni-Art|Art|0049-5123|Bimonthly| |ACAD SCI CZECH REPUBLIC +15901|Umi No Kenkyu| |0916-8362|Bimonthly| |OCEANOGRAPHIC SOC JAPAN +15902|Umweltwissenschaften und Schadstoff-Forschung|Pollutants; Pollutions; Environmental protection; Environmental Pollutants; Environmental Pollution|0934-3504|Irregular| |SPRINGER HEIDELBERG +15903|Undersea & Hyperbaric Medicine|Clinical Medicine|1066-2936|Quarterly| |UNDERSEA & HYPERBARIC MEDICAL SOC INC +15904|Unep Regional Seas Reports and Studies| |1014-8647|Irregular| |UNITED NATIONS ENVIRONMENT PROGRAMME +15905|Unfallchirurg|Clinical Medicine / Wounds and injuries; Accidents; Occupational Medicine; Wounds and Injuries; Ongevallen; Chirurgie (geneeskunde); Traumatologie|0177-5537|Monthly| |SPRINGER +15906|Unh Center for Freshwater Biology Limnological Reports| | |Irregular| |University of New Hampshire +15907|Universia Business Review|Economics & Business|1698-5117|Quarterly| |PORTAL UNIV +15908|Universidad Nacional Autonoma de Mexico Instituto de Biologia Cuadernos| | |Irregular| |UNIV NACIONAL AUTONOMA MEXICO +15909|Universidad Nacional Autonoma de Mexico Instituto de Biologia Publicaciones Especiales| | |Irregular| |UNIV NACIONAL AUTONOMA MEXICO +15910|Universidad Nacional Autonoma de Mexico Instituto de Geologia Boletin| |0185-5530|Irregular| |UNIV NAC AUTONOMA MEXICO +15911|Universidad Y Ciencias| | |Semiannual| |UNIV JUAREZ +15912|Universidade Federal Do Rio Grande Do Sul Instituto de Geociencias Pesquisas| |0100-5375|Semiannual| |INST GEOCIENCIAS +15913|Universitas Psychologica|Psychiatry/Psychology|1657-9267|Tri-annual| |PONTIFICA UNIV JAVERIANA +15914|Universitas-Monthly Review of Philosophy and Culture| |1015-8383|Monthly| |UNIVERSITAS +15915|University Journal of Business|Business; Bedrijfskunde|1525-6979|Quarterly| |UNIV CHICAGO PRESS +15916|University Journal of Zoology Rajshahi University| |1023-6104|Annual| |RAJSHAHI UNIV +15917|University of British Columbia Fisheries Centre Research Reports| |1198-6727|Irregular| |UNIV BRITISH COLUMBIA +15918|University of Chicago Law Review|Social Sciences, general / Law reviews; Recht; Droit; Jurisprudence|0041-9494|Quarterly| |UNIV CHICAGO LAW SCH +15919|University of Cincinnati Law Review|Social Sciences, general|0009-6881|Quarterly| |UNIV CINCINNATI LAW REVIEW +15920|University of Guam Marine Laboratory Technical Report| |0379-5403|Irregular| |UNIV GUAM +15921|University of Hawaii Pacific Cooperative Studies Unit Technical Report| | |Irregular| |UNIV HAWAII AT MANOA +15922|University of Illinois Law Review|Social Sciences, general|0276-9948|Quarterly| |UNIV ILLINOIS +15923|University of Iowa Studies in Child Welfare| |0898-8307| | |UNIV IOWA +15924|University of Kansas Museum of Natural History Special Publication| |0193-7766|Irregular| |UNIV KANSAS +15925|University of Kansas Paleontological Contributions New Series| |1046-8390|Annual| |UNIV KANSAS PALEONTOLOGICAL INST +15926|University of Pennsylvania Journal of International Law|Social Sciences, general|1938-0283|Quarterly| |UNIV PENN LAW SCH +15927|University of Pennsylvania Law Review|Social Sciences, general / Law reviews; Recht; Droit|0041-9907|Bimonthly| |UNIV PENN LAW SCH +15928|University of Pennsylvania Law Review and American Law Register|Law reviews; Recht; Droit|0749-9833|Monthly| |UNIV PENN LAW SCH +15929|University of Pittsburgh Law Review|Social Sciences, general|0041-9915|Quarterly| |UNIV PITTSBURGH LAW REVIEW +15930|University of Tokyo University Museum Material Report| |0910-2566|Irregular| |UNIV TOKYO EARTHQUAKE RES INST +15931|University of Toronto Quarterly| |0042-0247|Quarterly| |UNIV TORONTO PRESS INC +15932|University of Tsukuba Institute of Geoscience Annual Report| |0285-3175|Annual| |UNIV TSUKUBA +15933|University of Wisconsin-Milwaukee Field Station Bulletin| | |Semiannual| |UNIV WISCONSIN-MILWAUKEE FIELD STATION +15934|University Politehnica of Bucharest Scientific Bulletin-Series A-Applied Mathematics and Physics|Multidisciplinary|1223-7027|Quarterly| |UNIV POLITEHNICA BUCHAREST +15935|Uniwersytet Im Adama Mickiewicza W Poznaniu Seria Biologia| |0554-811X|Irregular| |WYDAWNICTWO NAUKOWE UNIWERSYTETU IM ADAMA MICKIEWICZA +15936|Uniwersytet Im Adama Mickiewicza W Poznaniu Seria Zoologia| |0554-8136|Irregular| |WYDAWNICTWO NAUKOWE UNIWERSYTETU IM ADAMA MICKIEWICZA +15937|Upsala Journal of Medical Sciences|Clinical Medicine /|0300-9734|Tri-annual| |TAYLOR & FRANCIS AS +15938|Urban Affairs Review|Social Sciences, general / City planning|1078-0874|Bimonthly| |SAGE PUBLICATIONS INC +15939|URBAN DESIGN International|City planning; Urbanisme|1357-5317|Quarterly| |PALGRAVE MACMILLAN LTD +15940|Urban Ecosystems|Urban ecology (Biology); Urban ecology; Urban forestry; Urban policy|1083-8155|Quarterly| |SPRINGER +15941|Urban Education|Social Sciences, general / Education, Urban|0042-0859|Bimonthly| |CORWIN PRESS INC A SAGE PUBLICATIONS CO +15942|Urban Forestry & Urban Greening|Plant & Animal Science / Urban forestry; Urban vegetation management|1618-8667|Quarterly| |ELSEVIER GMBH +15943|Urban Geography|Social Sciences, general / Human geography; Urban geography; Stadsgeografie; Géographie urbaine|0272-3638|Bimonthly| |BELLWETHER PUBL LTD +15944|Urban Habitats| |1541-7115|Annual| |URBAN HABITATIS +15945|Urban History|Cities and towns; Steden|0963-9268|Tri-annual| |CAMBRIDGE UNIV PRESS +15946|Urban History Review-Revue D Histoire Urbaine| |0703-0428|Semiannual| |BECKER ASSOCIATES +15947|Urban Lawyer|Social Sciences, general|0042-0905|Quarterly| |AMER BAR ASSOC +15948|Urban Morphology|Social Sciences, general|1027-4278|Semiannual| |INT SEMINAR URBAN FORM +15949|Urban Studies|Social Sciences, general / Cities and towns; City planning; Steden; Sociaal-wetenschappelijk onderzoek; Géographie urbaine; Urbanisme; URBAN PLANNING; REGIONAL PLANNING; Aménagement urbain; Communauté urbaine (Gouvernement); Économie urbaine; Sociologie |0042-0980|Monthly| |SAGE PUBLICATIONS LTD +15950|Urban Water Journal|Environment/Ecology /|1573-062X|Quarterly| |TAYLOR & FRANCIS LTD +15951|Urologe|Clinical Medicine / Urology; Genitourinary organs; Urologie / Urology; Genitourinary organs; Urologie / Urology; Genitourinary organs; Urologie|1433-0563|Monthly| |SPRINGER HEIDELBERG +15952|Urologia Internationalis|Clinical Medicine / Urology; Urologie|0042-1138|Bimonthly| |KARGER +15953|Urologic Clinics of North America|Clinical Medicine / Urology|0094-0143|Quarterly| |W B SAUNDERS CO-ELSEVIER INC +15954|Urologic Oncology-Seminars and Original Investigations|Clinical Medicine / Genitourinary organs; Urology; Genital Neoplasms, Male; Urologic Neoplasms / Genitourinary organs; Urology; Genital Neoplasms, Male; Urologic Neoplasms|1078-1439|Bimonthly| |ELSEVIER SCIENCE INC +15955|Urological Research|Clinical Medicine / Urology; Urologie|0300-5623|Bimonthly| |SPRINGER +15956|Urologiya-Moscow| |1728-2985|Bimonthly| |IZDATELSTVO MEDITSINA +15957|Urology|Clinical Medicine / Urology; Urologic Diseases; Diagnostic Techniques, Urological; Urogenital Diseases; Urologic Surgical Procedures|0090-4295|Monthly| |ELSEVIER SCIENCE INC +15958|Urology Journal|Clinical Medicine|1735-1308|Quarterly| |UROL & NEPHROL RES CTR-UNRC +15959|Ursus|Plant & Animal Science / Bears; Wildlife management; Ours; Faune|1537-6176|Semiannual| |INT ASSOC BEAR RESEARCH & MANAGEMENT-IBA +15960|Us Forest Service General Technical Report Nrs| | |Irregular| |NORTHERN RES STATION +15961|Us Forest Service Rocky Mountain Research Station Proceedings Rmrs-P| | |Irregular| |ROCKY MOUNTAIN RESEARCH STATION +15962|Us Geological Survey Bulletin| |8755-531X|Irregular| |US GEOLOGICAL SURVEY +15963|Us Pharmacist| |0148-4818|Monthly| |JOBSON PUBLISHING LLC +15964|Usda Forest Service Pacific Northwest Research Station General Technical Report Pnw-Gtr| |0887-4840|Irregular| |PACIFIC NORTHWEST RESEARCH STATION +15965|Usda Forest Service Pacific Northwest Research Station Research Note Pnw-Rn| |0737-7150|Irregular| |U S FOREST SERVICE +15966|Usda Forest Service Pacific Northwest Research Station Research Paper Pnw-Rp| |0882-5165|Monthly| |USDA FOR SERV PNW RES STN +15967|Usda Forest Service Rocky Mountain Research Station Research Paper Rmrs|Plant & Animal Science| |Irregular| |ROCKY MT RESEARCH STATION +15968|User Modeling and User-Adapted Interaction|Computer Science / Human-computer interaction; User interfaces (Computer systems) / Human-computer interaction; User interfaces (Computer systems)|0924-1868|Tri-annual| |SPRINGER +15969|Usga Turfgrass and Environmental Research Online| |1541-0277|Irregular| |UNITED STATES GOLF ASSOC +15970|Uspekhi Fiziologicheskikh Nauk| |0301-1798|Quarterly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +15971|Uspekhi Sovremennoi Biologii| |0042-1324|Bimonthly| |IZDATELSTVO NAUKA +15972|Utah Geological Association Publication| |0375-8176|Irregular| |UTAH GEOLOGICAL ASSOC +15973|Utilitas|Utilitarianism; Utilitarisme|0953-8208|Quarterly| |CAMBRIDGE UNIV PRESS +15974|Utilitas Mathematica|Mathematics|0315-3681|Semiannual| |UTIL MATH PUBL INC +15975|Uttar Pradesh Journal of Zoology| |0256-971X|Semiannual| |UTTAR PRADESH ZOOLOGICAL SOC +15976|Uzbekiston Tibbiet Zhurnali| |0025-830X|Bimonthly| |ABU ALI IBN SINO NOMIDAGI TIBBIYOT NASHRIYOTI +15977|Uzbekskii Biologicheskii Zhurnal| |0042-1685|Bimonthly| |FAN PUBL HOUSE +15978|Vaccine|Immunology / Vaccines|0264-410X|Weekly| |ELSEVIER SCI LTD +15979|Vacuum|Materials Science / Vacuum; Physics; Technology|0042-207X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +15980|Vadbiologia| |0237-5710|Irregular| |ST. STEPHEN UNIV +15981|Vadose Zone Journal|Geosciences /|1539-1663|Monthly| |SOIL SCI SOC AMER +15982|Value in Health|Pharmacology & Toxicology / Outcome Assessment (Health Care); Economics, Pharmaceutical; Health Resources; Risk Assessment; Technology, Medical|1098-3015|Bimonthly| |WILEY-BLACKWELL PUBLISHING +15983|Vancouver Forest Region Forest Research Technical Report| | |Irregular| |BRITISH COLUMBIA FOREST SERVICE +15984|Vanderbilt Law Review|Social Sciences, general|0042-2533|Bimonthly| |VANDERBILT LAW REVIEW +15985|Var Fagelvarld| |0042-2649|Bimonthly| |SVERIGES ORNITOLOGISKA FORENING +15986|Var Fuglefauna| |0332-5601|Quarterly| |NORSK ORNITOLOGISK FORENING +15987|Variability and Evolution| |0860-7907|Irregular| |ADAM MINKIEWICZ UNIV +15988|Vasa-European Journal of Vascular Medicine|Angiography; Vascular Diseases|0301-1526|Quarterly| |VERLAG HANS HUBER HOGREFE AG +15989|Vascular|Clinical Medicine /|1708-5381|Bimonthly| |B C DECKER INC +15990|Vascular and Endovascular Surgery|Clinical Medicine / Blood-vessels; Vascular Surgical Procedures; Angioplasty; Surgical Procedures, Minimally Invasive; Vascular Diseases; Vaatchirurgie; Vaisseaux sanguins|1538-5744|Bimonthly| |SAGE PUBLICATIONS INC +15991|Vascular Medicine|Clinical Medicine / Blood-vessels; Peripheral vascular diseases; Vascular Diseases|1358-863X|Bimonthly| |SAGE PUBLICATIONS LTD +15992|Vascular Pharmacology|Pharmacology & Toxicology / Pharmacology; Cardiovascular System; Vascular Diseases; Pharmacologie|1537-1891|Monthly| |ELSEVIER SCIENCE INC +15993|Vasculum| |0049-5891|Quarterly| |NORTHERN NATURALISTS UNION +15994|Vaxtskyddsnotiser| |0042-2169|Quarterly| |SVERIGES LANTBRUKSUNIVERSITET +15995|Vecteur Environnement| |1200-670X|Bimonthly| |RESEAU ENVIRONNEMENT +15996|Vector-Borne and Zoonotic Diseases|Immunology / Insects as carriers of disease; Animals as carriers of disease; Zoonoses; Vector-pathogen relationships; Insectes (Vecteurs de maladies); Animaux (Vecteurs de maladies); Disease Vectors / Insects as carriers of disease; Animals as carriers o|1530-3667|Quarterly| |MARY ANN LIEBERT INC +15997|Vegetation History and Archaeobotany|Plant & Animal Science / Vegetation dynamics; Paleoecology; Plant ecology; Paleobotany; Végétation; Paléoécologie; Écologie végétale; Paléobotanique; Paleobotanie; Plantaardige resten; Archeologische aspecten; Planten|0939-6314|Quarterly| |SPRINGER +15998|Vegetos|Plant & Animal Science|0970-4078|Semiannual| |SOC PLANT RESEARCH +15999|Vehicle System Dynamics|Engineering / Motor vehicles|0042-3114|Monthly| |TAYLOR & FRANCIS LTD +16000|Veliger|Plant & Animal Science|0042-3211|Quarterly| |CALIFORNIA MALACOZOOLOGICAL SOC INC +16001|Venus-Tokyo| |1348-2955|Quarterly| |MALACOLOGICAL SOC JAPAN +16002|Verbum|Romance literature; Romance languages; Linguistics|1585-079X|Semiannual| |PAZMANY PETER CATHOLIC UNIV +16003|Verdauungskrankheiten| |0174-738X|Bimonthly| |DUSTRI-VERLAG DR KARL FEISTLE +16004|Verein Thueringer Ornithologen E.v. Mitteilungen und Informationen| |0940-6700|Irregular| |VEREIN THUERINGER ORNITHOLOGEN +16005|Verhaltenstherapie|Psychiatry/Psychology / Behavior therapy; Behavior Therapy|1016-6262|Quarterly| |KARGER +16006|Verhandelingen der Koninklijke Nederlandse Akademie van Wetenschappen Afdeling Natuurkunde Eerste Reeks| |0373-4668|Irregular| |KONINKLIJKE NEDERLANDSE ACAD VAN WETENSCHAPPEN +16007|Verhandlungen der Anatomischen Gesellschaft| |0066-1562|Annual| |ELSEVIER SCIENCE BV +16008|Verhandlungen der Gesellschaft fuer Ichthyologie E V| | |Irregular| |VERLAG NATUR & WISSENSCHAFT +16009|Verhandlungen der Gesellschaft fuer Okologie| |0171-1113|Annual| |SPEKTRUM AKAD VERLAG +16010|Verhandlungen der Zoologisch-Botanischen Gesellschaft in Oesterreich| |0252-1911|Tri-annual| |ZOOLOGISCH-BOTANISCHE GESELLSCHAFT IN OESTERREICH +16011|Verhandlungen des Botanischen Vereins von Berlin und Brandenburg| |0945-4292|Annual| |GESCHAEFTSSTELLE DES BOTANISCHEN VEREINS VON BERLIN UND BRANDENBURG +16012|Verhandlungen des Naturwissenschaftlichen Vereins in Hamburg| |0173-749X|Irregular| |GOECKE & EVERS +16013|Verhandlungen des Vereins fuer Naturwissenschaftliche Heimatforschung zu Hamburg| |0947-2932|Irregular| |VEREIN NATURWISSENSCHAFTLICHE HEIMATFORSCHUNG +16014|Verhandlungen Westdeutscher Entomologentag| |0936-5354|Annual| |LOBBECKE MUSEUM AQUAZOO +16015|Verifiche| |0391-4186|Semiannual| |ASSOC TRENTINA SCI UMANE +16016|Veroeffentlichungen aus dem Natur-Museum Luzern| |1018-2462|Annual| |NATUR-MUSEUM LUZERN +16017|Veroeffentlichungen aus dem Naturhistorischen Museum Wien| |0378-8202|Irregular| |NATURHISTORISCHES MUSEUM-VIENNA +16018|Veroeffentlichungen des Museums fuer Naturkunde Chemnitz| |1432-1696|Annual| |MUSEUM NATURKUNDE CHEMNITZ +16019|Veroeffentlichungen des Naturkundemuseums Erfurt| |0232-9565|Annual| |NATURKUNDEMUSEUM ERFURT +16020|Veroeffentlichungen des Tiroler Landesmuseums Ferdinandeum| |0379-0231|Annual| |VEREIN TIROLER LANDESMUSEUM FERDINANDEUM +16021|Veroeffentlichungen Naturhistorisches Museum Schloss Bertholdsburg Schleusingen| |0863-6338|Annual| |NATURHISTORISCHES MUSEUM SCHLOSS BERTHOLDSBURG SCHLEUSINGEN +16022|Veroeffentlichungen Naturkundemuseum Leipzig| |1438-440X|Annual| |NATURKUNDEMUSEUM LEIPZIG +16023|Vertebrata Mexicana| | |Irregular| |LABORATORIO ARQUEOZOOLOGIA +16024|Vertebrata Palasiatica| |0042-4404|Quarterly| |SCIENCE CHINA PRESS +16025|Vertebrate Zoology| |1864-5755|Semiannual| |STAATLICHES MUSEUM TIERKUNDE DRESDEN +16026|Vespertilio| |1213-6123|Annual| |SKUPINA OCHRANU NETOPIEROV +16027|Vestnik Adygejskogo Gosudarstvennogo Universiteta| |2074-1065|Quarterly| |ADYGHEA STATE UNIV +16028|Vestnik Belorusskogo Gosudarstvennogo Universiteta Seriya 2 Khimiya Biologiya Geografiya| |0372-5340|Tri-annual| |UNIVERSITETSKOE +16029|Vestnik Chelyabinskogo Gosudarstvennogo Pedagogicheskogo Universiteta Seriya 10 Ekologiya| | | | |CHELYABINSK STATE PEDAGOGICAL UNIV +16030|Vestnik Dal Nevostochnogo Otdeleniya Rossiiskoi Akademii Nauk| |0869-7698|Bimonthly| |ROSSIISKAYA AKAD NAUK +16031|Vestnik Dermatologii I Venerologii| |0042-4609|Bimonthly| |IZDATELSTVO MEDIA SFERA +16032|Vestnik Irkutskoi Gosudarstvennoi Selskokhozyaistvennoi Akademii| | |Irregular| |IRKUTSKAYA GOSUDARSTVENNAYA SEL SKOKHOZYAISTVENNAYA AKAD +16033|Vestnik Krasnoarskogo Gosudarstvennogo Universiteta Estestvennye Nauki| |1811-2919| | |KRASNOARSKIJ GOSUDARSTVENNYI UNIV +16034|Vestnik Mgtu| |1560-9278| | |MURMANSKIJ GOSUDARSTVENNYJ TEHNICESKIJ UNIV +16035|Vestnik Moskovskogo Universiteta Seriya 17 Pochvovedenie| |0137-0944|Quarterly| |IZDATEL STVO MOSKOVSKII UNIV +16036|Vestnik Moskovskogo Universiteta Seriya Xvi Biologiya| |0137-0952|Quarterly| |IZDATEL STVO MOSKOVSKII UNIV +16037|Vestnik Otorinolaringologii| |0042-4668|Bimonthly| |IZDATELSTVO MEDIA SFERA +16038|Vestnik Rossiiskoi Akademii Meditsinskikh Nauk| |0869-6047|Monthly| |IZDATELSTVO MEDITSINA +16039|Vestnik Sankt-Peterburgskogo Universiteta Seriya 3 Biologiya| |1025-8604|Quarterly| |ST. PETERSBURG UNIV +16040|Vestnik Sankt-Peterburgskogo Universiteta Seriya 7 Geologiya Geografiya| |1029-7456|Quarterly| |A A ZHDANOV STATE UNIV +16041|Vestnik Tvgu Seriya Biologiya I Ekologiya| |1995-0160| | |TVER STATE UNIV +16042|Vestnik Voronezhskogo Gosudarstvennogo Universiteta Geologia| |1609-0691|Irregular| |VORONEZHSKII GOSUNIVERSITET +16043|Vestnik Zoologii| |0084-5604|Irregular| |INST ZOOLOGII IM I I SHAMAL GAUZENA +16044|Veterinaria|Plant & Animal Science|0394-3151|Bimonthly| |SCIVAC +16045|Veterinaria E Zootecnia| |0102-5716|Annual| |UNIV ESTADUAL PAULISTA +16046|Veterinaria Italiana|Plant & Animal Science|0505-401X|Quarterly| |IST ZOOPROFILATTICO SPERIMENTALE ABRUZZO & MOLISE G CAPORALE-IZS A&M +16047|Veterinaria Mexico|Plant & Animal Science|0301-5092|Quarterly| |UNIV NACIONAL AUTONOMA MEXICO FACULTAD MEDICINA VETERINARIA ZOOTECNIA +16048|Veterinaria Tropical| |0379-8275|Annual| |FONDO NACIONAL INVESTIGACIONES AGROPECUARIAS +16049|Veterinarija Ir Zootechnika|Plant & Animal Science|1392-2130|Quarterly| |LITHUANIAN VETERINARY ACAD +16050|Veterinarni Medicina|Plant & Animal Science|0375-8427|Monthly| |VETERINARY RESEARCH INST +16051|Veterinarski Arhiv|Plant & Animal Science|0372-5480|Bimonthly| |UNIV ZAGREB VET FACULTY +16052|Veterinarski Glasnik| |0350-2457|Monthly| |VETERINARSKI FAKULTET UNIV BEOGRADU +16053|Veterinary Anaesthesia and Analgesia|Plant & Animal Science / Veterinary anesthesia; Anesthesia; Analgesia; Anesthetics; Anesthesie; Diergeneeskunde / Veterinary anesthesia; Anesthesia; Analgesia; Anesthetics; Anesthesie; Diergeneeskunde|1467-2987|Quarterly| |WILEY-BLACKWELL PUBLISHING +16054|Veterinary and Comparative Oncology|Plant & Animal Science / Veterinary oncology; Neoplasms|1476-5810|Quarterly| |WILEY-BLACKWELL PUBLISHING +16055|Veterinary and Comparative Orthopaedics and Traumatology|Plant & Animal Science / Veterinary orthopedics; Veterinary surgery; Orthopedics; Wounds and Injuries|0932-0814|Quarterly| |SCHATTAUER GMBH-VERLAG MEDIZIN NATURWISSENSCHAFTEN +16056|Veterinary Clinical Pathology|Plant & Animal Science / Veterinary pathology; Pathologie vétérinaire; Médecine vétérinaire; Pathology, Veterinary; Animal Diseases; Laboratory Techniques and Procedures|0275-6382|Quarterly| |AMER SOC VETERINARY CLINICAL PATHOLOGY +16057|Veterinary Clinics of North America-Equine Practice|Plant & Animal Science / Horse Diseases|0749-0739|Tri-annual| |W B SAUNDERS CO-ELSEVIER INC +16058|Veterinary Clinics of North America-Exotic Animal Practice|Veterinary medicine; Exotic animals; Médecine vétérinaire; Animaux exotiques; Veterinary Medicine; Animal Diseases|1094-9194|Tri-annual| |W B SAUNDERS CO-ELSEVIER INC +16059|Veterinary Clinics of North America-Food Animal Practice|Plant & Animal Science / Veterinary medicine; Food animals; Veterinary Medicine|0749-0720|Tri-annual| |W B SAUNDERS CO-ELSEVIER INC +16060|Veterinary Clinics of North America-Small Animal Practice|Plant & Animal Science / Veterinary Medicine|0195-5616|Bimonthly| |W B SAUNDERS CO-ELSEVIER INC +16061|Veterinary Dermatology|Plant & Animal Science / Veterinary dermatology; Pet medicine; Skin Diseases; Animals, Domestic|0959-4493|Quarterly| |WILEY-BLACKWELL PUBLISHING +16062|Veterinary Immunology and Immunopathology|Plant & Animal Science / Veterinary immunology; Allergy and Immunology; Veterinary Medicine|0165-2427|Monthly| |ELSEVIER SCIENCE BV +16063|Veterinary Journal|Plant & Animal Science / Veterinary medicine; Animal Diseases; Veterinary Medicine; Diergeneeskunde|1090-0233|Bimonthly| |ELSEVIER SCI LTD +16064|Veterinary Microbiology|Plant & Animal Science / Microbiology; Veterinary Medicine|0378-1135|Monthly| |ELSEVIER SCIENCE BV +16065|Veterinary Ophthalmology|Plant & Animal Science / Veterinary ophthalmology; Eye Diseases|1463-5216|Quarterly| |WILEY-BLACKWELL PUBLISHING +16066|Veterinary Parasitology|Plant & Animal Science / Veterinary parasitology; Parasitic Diseases, Animal; Veterinary Medicine|0304-4017|Biweekly| |ELSEVIER SCIENCE BV +16067|Veterinary Pathology|Plant & Animal Science / Veterinary pathology; Pathology, Veterinary; Pathologie; Diergeneeskunde; Pathologie vétérinaire|0300-9858|Bimonthly| |SAGE PUBLICATIONS INC +16068|Veterinary Practitioner|Plant & Animal Science|0972-4036|Semiannual| |VETERINARY PRACTITIONER +16069|Veterinary Quarterly|Plant & Animal Science|0165-2176|Quarterly| |EUROSCIENCE +16070|Veterinary Radiology & Ultrasound|Plant & Animal Science / Veterinary radiology; Radiography; Ultrasonography / Veterinary radiology; Radiography; Ultrasonography|1058-8183|Bimonthly| |WILEY-BLACKWELL PUBLISHING +16071|Veterinary Record|Plant & Animal Science|0042-4900|Weekly| |BRITISH VETERINARY ASSOC +16072|Veterinary Research|Plant & Animal Science / Veterinary medicine; Veterinary Medicine|0928-4249|Bimonthly| |EDP SCIENCES S A +16073|Veterinary Research Communications|Plant & Animal Science / Veterinary medicine; Veterinary Medicine / Veterinary medicine; Veterinary Medicine|0165-7380|Bimonthly| |SPRINGER +16074|Veterinary Surgery|Plant & Animal Science / Veterinary surgery; Veterinary Medicine|0161-3499|Bimonthly| |WILEY-BLACKWELL PUBLISHING +16075|Veterinary Therapeutics|Plant & Animal Science|1528-3593|Quarterly| |VETERINARY LEARNING SYSTEMS +16076|Vetus Testamentum|Oude Testament|0042-4935|Quarterly| |BRILL ACADEMIC PUBLISHERS +16077|Vial-Vigo International Journal of Applied Linguistics|Social Sciences, general|1697-0381|Annual| |UNIV VIGO +16078|Viator-Medieval and Renaissance Studies| |0083-5897|Annual| |BREPOLS PUBLISHERS +16079|Vibrational Spectroscopy|Engineering / Infrared spectroscopy; Raman spectroscopy; Spectrum Analysis, Raman; Spectrum Analysis; Raman spectrometrie; Infraroodspectrometrie; Spectroscopie infrarouge; Spectroscopie infrarouge proche; Raman, Spectroscopie; Spectre de vibration|0924-2031|Bimonthly| |ELSEVIER SCIENCE BV +16080|Victorian Entomologist| |0310-6780|Bimonthly| |ENTOMOLOGICAL SOC VICTORIA INC +16081|Victorian Literature and Culture|English literature; Cultuur; Victoriaanse tijd|1060-1503|Semiannual| |CAMBRIDGE UNIV PRESS +16082|Victorian Naturalist-Blackburn| |0042-5184|Bimonthly| |FIELD NATURALIST CLUB VICTORIA -FNCV +16083|Victorian Newsletter| |0042-5192|Semiannual| |VICTORIAN NEWSLETTER ATTN: WARD HELLSTROM +16084|Victorian Periodicals Review| |0709-4698|Quarterly| |UNIV TORONTO PRESS INC +16085|Victorian Poetry| |0042-5206|Quarterly| |WEST VIRGINIA UNIV +16086|Victorian Studies|English literature; Littérature anglaise|0042-5222|Quarterly| |INDIANA UNIV PRESS +16087|Vie et Milieu-Life and Environment|Environment/Ecology|0240-8759|Quarterly| |OBSERVATOIRE OCEANOLOGIQUE BANYULS +16088|Vieraea| |0210-945X|Irregular| |MUSEIO CIENCIAS NATURALES TENERIFE +16089|Vierteljahrshefte für Zeitgeschichte|History, Modern; Histoire; Nieuwste tijd; HISTORY; TWENTIETH CENTURY; EUROPE|0042-5702|Quarterly| |OLDENBOURG VERLAG +16090|Vierteljahrsschrift der Naturforschenden Gesellschaft in Zuerich| |0042-5672|Quarterly| |KOPRINT AG +16091|Vietnamese Journal of Primatology| |1859-1434|Annual| |TILO NADLER +16092|Vigiliae Christianae|Christian literature, Early; Church history; Vroege kerk; Littérature chrétienne primitive; Église|0042-6032|Quarterly| |BRILL ACADEMIC PUBLISHERS +16093|Vingtieme Siecle-Revue D Histoire|History, Modern; Geschiedenis; Histoire|0294-1759|Quarterly| |PRESSES SCIENCES PO +16094|Vins Technical Report| | |Irregular| |VERMONT INST NATURAL SCIENCE-VINS +16095|Violence Against Women|Social Sciences, general / Abused women; Women; Violent crimes; Battered Women; Violence|1077-8012|Monthly| |SAGE PUBLICATIONS INC +16096|Viral Immunology|Immunology / Virus diseases; Immunopathology; Viruses|0882-8245|Quarterly| |MARY ANN LIEBERT INC +16097|Virchows Archiv|Clinical Medicine / Pathology; Histology, Pathological; Pathologische anatomie; Histopathologie; Pathologie / Pathology; Histology, Pathological; Pathologische anatomie; Histopathologie; Pathologie / Pathology; Histology, Pathological; Pathologische anat|0945-6317|Monthly| |SPRINGER +16098|Virchows Archiv für Pathologische Anatomie und Physiologie und für Klinische Medizin|Pathology; Histology, Pathological; Pathologische anatomie; Histopathologie; Pathologie|0376-0081|Bimonthly| |SPRINGER +16099|Virginia Agricultural Experiment Station Bulletin| |0096-6088|Irregular| |VIRGINIA POLYTECHNIC INST +16100|Virginia Division of Mineral Resources Publication| |0160-4643|Irregular| |VIRGINIA DIV MINERAL RESOURCES +16101|Virginia Herpetological Society Newsletter| | |Irregular| |VIRGINIA HERPETOLOGICAL SOC +16102|Virginia Journal of Science| |0042-658X|Quarterly| |VIRGINIA ACAD SCIENCE +16103|Virginia Law Review|Social Sciences, general / Law reviews; Recht; Droit|0042-6601|Bimonthly| |UNIV VIRGINIA +16104|Virginia Museum of Natural History Guidebook| | |Irregular| |VIRGINIA MUSEUM NATURAL HISTORY +16105|Virginia Museum of Natural History Special Publication| | |Irregular| |VIRGINIA MUSEUM NATURAL HISTORY +16106|Virginia Quarterly Review| |0042-675X|Quarterly| |UNIV VIRGINIA +16107|Virgo| |1438-5090|Annual| |ENTOMOLOGISCHER VEREIN MECKLENBURG E V +16108|Virologica Sinica| |1674-0769|Bimonthly| |SPRINGER +16109|Virologie|Microbiology|1267-8694|Bimonthly| |JOHN LIBBEY EUROTEXT LTD +16110|Virology|Microbiology / Virology|0042-6822|Semimonthly| |ACADEMIC PRESS INC ELSEVIER SCIENCE +16111|Virology Journal|Microbiology / Virology; Virologie|1743-422X|Irregular| |BIOMED CENTRAL LTD +16112|Virus Genes|Molecular Biology & Genetics / Viral genetics; Genes, Viral|0920-8569|Bimonthly| |SPRINGER +16113|Virus Research|Microbiology / Virus research; Viruses; Virology; Virus; Virologie|0168-1702|Monthly| |ELSEVIER SCIENCE BV +16114|Virus-Nagoya|Viruses; Virology|0042-6857|Semiannual| |JAPANESE SOC VIROLOGY +16115|Viruses-Basel| |1999-4915|Irregular| |MDPI AG +16116|Visaya| |1656-4650|Irregular| |CONCHOLOGY +16117|Vision Research|Clinical Medicine / Vision; Ophthalmology|0042-6989|Biweekly| |PERGAMON-ELSEVIER SCIENCE LTD +16118|Visnyk Heolohiia Kyivskyi Natsionalnyi Universytet Imeni Tarasa Shevchenka| | |Irregular| |KYIVSKYI NATSIONALNYI UNIVERSYTET IMENI TARASA SHEVCHENKA +16119|Visnyk Lvivskoho Universytetu Seriia Biolohichna| |0206-5657|Irregular| |IVAN FRANCO NATL UNIV LVIV +16120|Vissh Selskostopanski Institut Vasil Kolarov Plovdiv Nauchni Trudove| |1310-1145|Quarterly| |VASIL KOLAROV HIGHER INST AGRICULTURE +16121|Visual Cognition|Psychiatry/Psychology / Visual perception; Cognition; Vision; Visual Perception; Visuele waarneming|1350-6285|Bimonthly| |PSYCHOLOGY PRESS +16122|Visual Communication|Social Sciences, general / Visual communication; Popular culture; Art and society; Beeldcommunicatie; Beeldcultuur|1470-3572|Quarterly| |SAGE PUBLICATIONS INC +16123|Visual Computer|Computer Science / Computer graphics|0178-2789|Bimonthly| |SPRINGER +16124|Visual Neuroscience|Clinical Medicine / Vision; Nervous system; Neurosciences|0952-5238|Bimonthly| |CAMBRIDGE UNIV PRESS +16125|Visual Studies|Visual sociology; Visual perception; Visual anthropology; Beeldcultuur; Beeldcommunicatie|1472-586X|Tri-annual| |TAYLOR & FRANCIS LTD +16126|Viszeralmedizin|Clinical Medicine /|1662-6672|Quarterly| |KARGER +16127|Vita Malacologica| |1572-6371|Annual| |NEDERLANDSE MALACOLOGISCHE VERENIGING +16128|Vitae-Revista de la Facultad de Quimica Farmaceutica|Pharmacology & Toxicology|0121-4004|Semiannual| |UNIV ANTIOQUIA +16129|Vitamins| |0006-386X|Monthly| |VITAMIN SOC JAPAN +16130|Vitamins and Hormones Series| |0083-6729|Irregular| |ELSEVIER ACADEMIC PRESS INC +16131|Vitis|Agricultural Sciences|0042-7500|Quarterly| |JKI-INSTITUT REBENZUCHTUNG +16132|Vivarium-An International Journal for the Philosophy and Intellectual Lifeof the Middle Ages and Renaissance|Philosophy|0042-7543|Semiannual| |BRILL ACADEMIC PUBLISHERS +16133|Vjesnik Za Arheologiju I Povijest Dalmatinsku| |1845-7789|Annual| |ARHEOLOSKI MUZEJ-SPLIT +16134|Vlaams Diergeneeskundig Tijdschrift|Plant & Animal Science|0303-9021|Bimonthly| |UNIV GHENT +16135|Vldb Journal|Computer Science / Database management; Data structures (Computer science); Databases; Bases de données|1066-8888|Quarterly| |SPRINGER +16136|Vlinders| |0923-1846|Quarterly| |VLINDERSTICHTING +16137|Vocational Guidance Magazine| | | | |AMER COUNSELING ASSOC +16138|Vogelkundliche Berichte aus Niedersachsen| |0340-403X|Semiannual| |NIEDERSAECHSISCHE ORNITHOLOGISCHE VEREINIGUNG E V +16139|Vogelkundliche Hefte Edertal| |1431-6722|Annual| |ARBEITSKREIS WALDECK-FRANKENBERG HESSISCHEN GESELLSCHAFT ORNITHOL +16140|Vogelkundliche Nachrichten aus Oberoesterreich Naturschutz Aktuell| |1025-3270|Semiannual| |ARGE ORNITHOL +16141|Vogelwarte| |0049-6650|Semiannual| |VERLAGSDRUCKEREI SCHMIDT GMBH +16142|Vogelwelt| |0042-7993|Irregular| |AULA-VERLAG GMBH +16143|Voices-The Journal of New York Folklore| |0361-204X|Semiannual| |NEW YORK FOLKLORE SOC +16144|Voix & Images| |0318-9201|Tri-annual| |UNIV QUEBEC-MONTREAL +16145|Vojnosanitetski Pregled|Clinical Medicine|0042-8450|Monthly| |MILITARY MEDICAL ACAD-INI +16146|Volkskunde| |0042-8523|Quarterly| |CENTRUM STUDIE DOCUMENTATIE +16147|Volta Review|Social Sciences, general|0042-8639|Quarterly| |ALEXANDER GRAHAM BELL ASSOC FOR THE DEAF +16148|Volucella| |0947-9538|Irregular| |ULRICH SCHMID +16149|Voprosy Antropologii| |0507-2921|Irregular| |IZDATEL STVO MOSKOVSKOGO UNIV +16150|Voprosy Filosofii| |0042-8744|Monthly| |MEZHDUNARODNAYA KNIGA +16151|Voprosy Ikhtiologii| |0042-8752|Bimonthly| |MAIK NAUKA/INTERPERIODICA/SPRINGER +16152|Voprosy Istorii| |0042-8779|Monthly| |IZDATELSTVO PRESSA +16153|Voprosy Onkologii| |0507-3758|Monthly| |IZD MEDITSINA PETERBURGSKOE ORDELENIE +16154|Voprosy Pitaniya| |0042-8833|Bimonthly| |ISDATEL SKIY DOM GEOTAR-MED +16155|Voprosy Psikhologii|Psychiatry/Psychology|0042-8841|Bimonthly| |MEZHDUNARODNAYA KNIGA +16156|Voprosy Virusologii| |0507-4088|Bimonthly| |IZDATELSTVO MEDITSINA +16157|Vorarlberger Naturschau Forschen und Entdecken| |1024-9613|Irregular| |VORARLBERGER NATURSCHAU +16158|Vox Sanguinis|Clinical Medicine / Blood; Immunohematology; Immunopathology; Blood Group Antigens; Blood Transfusion; Hematology; Hématologie; Sang; Immunopathologie|0042-9007|Bimonthly| |WILEY-BLACKWELL PUBLISHING +16159|Vserossiiskii Nauchno-Issledovatelskii Institut Presnovodnogo Rybnogo Khozyaistva Sbornik Nauchnykh Trudov| | |Irregular| |VSEROSSIISKII NAUCHNO-ISSLEDOVATEL SKII INST PRESNOVODNOGO RYBNOGO KHO +16160|Vulture News| |1606-7479|Semiannual| |VULTURE STUDY GROUP +16161|Vyestsi Natsyyanalnai Akademii Navuk Byelarusi Syeryya Biyalahichnykh Navuk| |1029-8940|Quarterly| |BELARUSKAYA NAVUKA +16162|Vzz-Mededeling| |0924-5111|Irregular| |VERENIGING VOOR ZOOGDIERKUNDE EN ZOOGDIERBESCHERMING-VZZ +16163|Wadden Sea Ecosystem| |0946-896X|Irregular| |COMMON WADDEN SEA SECRETARIAT-CWSS +16164|Wadden Sea Newsletter| |0922-7989|Irregular| |COMMON WADDEN SEA SECRETARIAT-CWSS +16165|Wader Study Group Bulletin| |0260-3799|Tri-annual| |WADER STUDY GROUP +16166|Waffen-Und Kostumkunde| |0042-9945|Semiannual| |VERLAGSHAUS WERNER HOFMANN KG +16167|Walia| |1026-3861|Annual| |ETHIOPIAN WILDLIFE NATURAL HISTORY SOC +16168|Walt Whitman Quarterly Review| |0737-0679|Tri-annual| |UNIV IOWA +16169|Wanatca Yearbook| |0810-6681|Annual| |WEST AUSTRALIAN NUT & TREE CROP ASSOC-WANATCA INC +16170|War in History|Social Sciences, general / War; Military history; Oorlogen|0968-3445|Quarterly| |SAGE PUBLICATIONS LTD +16171|Wasafiri|African literature (English); Caribbean literature (English); Oriental literature (English); English literature; Letterkunde; Engels; Engelse creooltalen|0269-0055|Semiannual| |ROUTLEDGE JOURNALS +16172|Wash Wader Ringing Group Report| |0963-3111|Semiannual| |WASH WADER RINGING GROUP +16173|Washington Department of Fish and Wildlife Technical Report Fpt| | |Irregular| |WASHINGTON DEPT FISH WILDLIFE +16174|Washington Law Review|Social Sciences, general|0043-0617|Quarterly| |UNIV WASHINGTON SCHOOL OF LAW +16175|Washington Quarterly|Social Sciences, general / World politics; Military policy; Strategy; International economic relations|0163-660X|Quarterly| |ROUTLEDGE JOURNALS +16176|Wasserwirtschaft|Environment/Ecology|0043-0978|Monthly| |VIEWEG +16177|Waste Management|Engineering / Hazardous wastes; Refuse and refuse disposal; Radioactive waste disposal; Hazardous Waste; Industrial Waste; Radioactive Waste; Environmental Pollution; Refuse Disposal|0956-053X|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +16178|Waste Management & Research|Engineering / Factory and trade waste; Refuse and refuse disposal; Municipal engineering; Waste Management; Refuse Disposal|0734-242X|Bimonthly| |SAGE PUBLICATIONS LTD +16179|Water Air and Soil Pollution|Environment/Ecology / Pollution; Air Pollution; Environment; Soil; Water Pollution; Milieuverontreiniging|0049-6979|Monthly| |SPRINGER +16180|Water and Environment Journal|Environment/Ecology / Sewage; Water-supply; Environmental management; Water Supply; Waste Management; Water Pollution|1747-6585|Quarterly| |WILEY-BLACKWELL PUBLISHING +16181|Water Environment Research|Environment/Ecology / Water quality management; Sewage; Water; Water Pollution|1061-4303|Monthly| |WATER ENVIRONMENT FEDERATION +16182|Water International|Engineering / Water; Water-supply|0250-8060|Quarterly| |ROUTLEDGE JOURNALS +16183|Water Policy|Environment/Ecology / Water-supply; Water resources development; Watervoorziening; Water|1366-7017|Bimonthly| |I W A PUBLISHING +16184|Water Quality Research Journal of Canada|Environment/Ecology|1201-3080|Quarterly| |CANADIAN ASSOC WATER QUALITY +16185|Water Research|Environment/Ecology / Water; Waterhuishouding; Waterkwaliteit; Waterverontreiniging; Eau|0043-1354|Semimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +16186|Water Resources|Environment/Ecology / Hydrology; Water-supply|0097-8078|Bimonthly| |INTERPERIODICA +16187|Water Resources Management|Environment/Ecology / Water resources development; Water quality management|0920-4741|Bimonthly| |SPRINGER +16188|Water Resources Research|Environment/Ecology / Hydrology; Technology; Water; Water Supply; Waterhuishouding|0043-1397|Monthly| |AMER GEOPHYSICAL UNION +16189|Water Sa|Environment/Ecology|0378-4738|Quarterly| |WATER RESEARCH COMMISSION +16190|Water Science and Technology|Environment/Ecology / Water; Sewage; Water quality management; Water Pollution; Water Supply|0273-1223|Semimonthly| |I W A PUBLISHING +16191|Waterbirds|Plant & Animal Science / Water birds / Water birds|1524-4695|Quarterly| |WATERBIRD SOC +16192|Watsonia Journal of the Botanical Society of British Isles| |0043-1532|Quarterly| |BOTANICAL SOC BRITISH ISLES +16193|Wave Motion|Physics / Wave-motion, Theory of|0165-2125|Bimonthly| |ELSEVIER SCIENCE BV +16194|Waves in Random and Complex Media|Physics / Electromagnetic waves|1745-5030|Quarterly| |TAYLOR & FRANCIS LTD +16195|Wcs Working Papers| |1530-4426|Irregular| |WILDLIFE CONSERVATION SOC +16196|Wear|Materials Science / Mechanical wear; Usure (Mécanique)|0043-1648|Monthly| |ELSEVIER SCIENCE SA +16197|Weather|Geosciences / Meteorology|0043-1656|Monthly| |JOHN WILEY & SONS LTD +16198|Weather and Forecasting|Geosciences / Weather forecasting|0882-8156|Bimonthly| |AMER METEOROLOGICAL SOC +16199|Web Ecology| |1399-1183|Irregular| |LUND UNIV +16200|Webbia| |0083-7792|Irregular| |MUSEO BOTANICO DELL UNIV +16201|Weed Biology and Management|Agricultural Sciences / Weeds|1444-6162|Quarterly| |WILEY-BLACKWELL PUBLISHING +16202|Weed Research|Plant & Animal Science / Weeds; Herbicides|0043-1737|Bimonthly| |WILEY-BLACKWELL PUBLISHING +16203|Weed Science|Plant & Animal Science / Weeds; Herbicides; Plants; Mauvaises herbes; Mauvaises herbes, Lutte contre les|0043-1745|Quarterly| |WEED SCI SOC AMER +16204|Weed Technology|Plant & Animal Science / Weeds; Mauvaises herbes; Mauvaises herbes, Lutte contre les|0890-037X|Quarterly| |WEED SCI SOC AMER +16205|Weevil News| |1615-3472|Irregular| |CURCULIO-INST +16206|Weimarer Beitrage| |0043-2199|Quarterly| |PASSAGEN VERLAG GES MBH +16207|Weishengwu Xuebao|Microbiology; Microorganisms|0001-6209|Quarterly| |SCIENCE CHINA PRESS +16208|Welding in the World|Materials Science|0043-2288|Bimonthly| |INT INST WELDING +16209|Welding Journal|Materials Science|0043-2296|Monthly| |AMER WELDING SOC +16210|Welsh Birds| |1359-1649|Semiannual| |WELSH ORNITHOLOGICAL SOC +16211|Welsh History Review| |0043-2431|Semiannual| |UNIV WALES PRESS +16212|Welt der Slaven-Halbjahresschrift fur Slavistik| |0043-2520|Semiannual| |OTTO SAGNER VERLAG +16213|Welt des Islams|Islam; Civilization, Islamic|0043-2539|Semiannual| |BRILL ACADEMIC PUBLISHERS +16214|West African Journal of Applied Ecology| |0855-4307|Semiannual| |UNIV GHANA +16215|West European Politics|Social Sciences, general / Politieke stelsels|0140-2382|Quarterly| |ROUTLEDGE JOURNALS +16216|West Indian Medical Journal|Clinical Medicine /|0043-3144|Quarterly| |UNIV WEST INDIES FACULTY MEDICAL SCIENCES +16217|West Midland Bird Club Annual Report| |0963-312X|Annual| |WEST MIDLAND BIRD CLUB +16218|Westerly| |0043-342X|Annual| |CENT STUDIES AUSTRALIAN LIT +16219|Western American Literature| |0043-3462|Quarterly| |UTAH STATE UNIV +16220|Western Australian Naturalist| |0726-9609|Quarterly| |WESTERN AUSTRALIAN NATURALISTS CLUB +16221|Western Australian Wildlife Management Program| |0816-9713|Irregular| |WESTERN AUSTRALIA DEPT CONSERVATION & LAND MANAGEMENT +16222|Western Birds| |0160-1121|Quarterly| |WESTERN FIELD ORNITHOLOGISTS +16223|Western Folklore|Folklore; Manners and customs|0043-373X|Quarterly| |CALIFORNIA FOLKLORE SOC +16224|Western Historical Quarterly|Indians of North America; Frontier and pioneer life|0043-3810|Quarterly| |WESTERN HISTORY ASSOC +16225|Western Humanities Review| |0043-3845|Semiannual| |UNIV UTAH DEPT ENGLISH +16226|Western Indian Ocean Journal of Marine Science| |0856-860X|Semiannual| |WESTERN INDIAN OCEAN MARINE SCIENCE ASSOC-WIOMSA +16227|Western Journal of Applied Forestry|Plant & Animal Science|0885-6095|Quarterly| |SOC AMER FORESTERS +16228|Western Journal of Nursing Research|Social Sciences, general / Nursing; Research|0193-9459|Bimonthly| |SAGE PUBLICATIONS INC +16229|Western North American Naturalist|Plant & Animal Science / Natural history; Natuurlijke historie|1527-0904|Quarterly| |BRIGHAM YOUNG UNIV +16230|Western Society of Malacologists Annual Report| |0361-1175|Annual| |WESTERN SOC MALACOLOGISTS +16231|Weta| |0111-7696|Semiannual| |ENTOMOLOGICAL SOC NEW ZEALAND +16232|Wetlands|Environment/Ecology / Wetland conservation; Wetlands|0277-5212|Quarterly| |SPRINGER +16233|Wetlands Ecology and Management|Environment/Ecology / Wetland ecology; Wetland management|0923-4861|Bimonthly| |SPRINGER +16234|Wetlands International Cormorant Research Group Bulletin| |1029-1024|Irregular| |WETLANDS INT CORMORANT RESEARCH GROUP +16235|Wetlands International Global Series| |1873-0752|Irregular| |WETLANDS INT +16236|Wetlands International Seaduck Specialist Group Bulletin| |1028-2947|Annual| |WETLANDS INT SEADUCK SPECIALIST GROUP +16237|Who Drug Information| |1010-9609|Tri-annual| |WORLD HEALTH ORGANIZATION +16238|Who Technical Report Series|Clinical Medicine / Drugs; Drug utilization; Pharmaceutical services / Drugs; Drug utilization; Pharmaceutical services / Drugs; Drug utilization; Pharmaceutical services / Drugs; Drug utilization; Pharmaceutical services / Drugs; Drug utilization; Pharm|0512-3054|Irregular| |WORLD HEALTH ORGANIZATION +16240|Wiadomosci Ekologiczne| |0013-2969|Quarterly| |INST EKOLOGII PAN +16241|Wiadomosci Entomologiczne| |0138-0737|Quarterly| |POLSKIE TOWARZYSTWO ENTOMOLOGICZNE +16242|Wiadomosci Parazytologiczne| |0043-5163|Quarterly| |POLSKIE TOWARZYSTWO PARAZYTOLOGICZNE +16243|Wiadomosci Zootechniczne| |1731-8068|Quarterly| |INST ZOOTECHNIKI +16244|Wideochirurgia I Inne Techniki Maloinwazyjne|Clinical Medicine /|1895-4588|Quarterly| |TERMEDIA PUBLISHING HOUSE LTD +16245|Wiener klinische Wochenschrift|Clinical Medicine / Medicine|0043-5325|Monthly| |SPRINGER WIEN +16246|Wiener Tierarztliche Monatsschrift|Plant & Animal Science|0043-535X|Monthly| |B W K PUBLISHING SOLUTIONS & VERLAG +16247|Wilderness & Environmental Medicine|Clinical Medicine / Mountaineering injuries; Outdoor medical emergencies; Adaptation (Physiology); Human beings; Disasters; Emergencies; Environmental Exposure; Environmental Health; Sports Medicine; Travel|1080-6032|Quarterly| |ELSEVIER SCIENCE INC +16248|Wildfowl| |0954-6324|Irregular| |WILDFOWL & WETLANDS TRUST +16249|Wildlife Biology|Plant & Animal Science / Wildlife management; Wildlife conservation; Game and game-birds; Animal ecology; Faune; Gibier; Écologie animale|0909-6396|Quarterly| |WILDLIFE BIOLOGY +16250|Wildlife Biology in Practice| |1646-2742|Semiannual| |SOC PORTUGUESA VIDA SELVAGEM +16251|Wildlife Management Bulletin of the Caesar Kleberg Wildlife Research Institute| |1070-7980|Irregular| |CAESAR KLEBERG WILDLIFE RESEARCH INST +16252|Wildlife Middle East News| |1990-8237|Tri-annual| |WILDLIFE MIDDLE EAST +16253|Wildlife Monographs|Plant & Animal Science / Zoology; Animal Population Groups; Wilde dieren; Ecologie; Natuurbeheer; Faune; Zoologie|0084-0173|Tri-annual| |WILDLIFE SOC +16254|Wildlife Research|Plant & Animal Science / Zoology; Wildlife management; Animaux; Faune / Zoology; Wildlife management; Animaux; Faune|1035-3712|Bimonthly| |CSIRO PUBLISHING +16255|Wildlife Sound| |0963-3251|Semiannual| |WILDLIFE SOUND RECORDING SOC +16256|Wildlife Working Report| |0831-4330|Irregular| |BRITISH COLUMBIA MINISTRY WATER +16257|Wiley Interdisciplinary Reviews-Nanomedicine and Nanobiotechnology|Clinical Medicine /|1939-5116|Bimonthly| |JOHN WILEY & SONS INC +16258|Wilhelm Roux Archiv für Entwicklungsmechanik der Organismen|Embryology; Developmental biology; Genes; Evolution (Biology); Developmental Biology; Growth; Ontwikkelingsbiologie|0043-5546|Bimonthly| |SPRINGER +16259|Willdenowia| |0511-9618|Semiannual| |BOTANISCHER GARTEN & BOTANISCHE MUSEUM BERLIN-DAHLEM +16260|William and Mary Quarterly| |0043-5597|Quarterly| |INST EARLY AMER HIST CULT +16261|Williamsonia| | |Quarterly| |MICHIGAN ODONATA SURVEY +16262|Wilson Journal of Ornithology|Plant & Animal Science / Ornithology; Birds; Ornithologie; Oiseaux|1559-4491|Quarterly| |WILSON ORNITHOLOGICAL SOC +16263|Wiltshire Archaeological and Natural History Magazine| |0262-6608|Annual| |WILTSHIRE ARCHAEOLOGICAL NATURAL HISTORY SOC +16264|Wind and Structures|Engineering /|1226-6116|Quarterly| |TECHNO-PRESS +16265|Wind Energy|Engineering / Wind power; Windenergie|1095-4244|Quarterly| |JOHN WILEY & SONS LTD +16266|Wingspan| |1036-7810|Quarterly| |ROYAL AUSTRALASIAN ORNITHOLOGISTS UNION +16267|Winterthur Portfolio-A Journal of American Material Culture|Art|0084-0416|Tri-annual| |UNIV CHICAGO PRESS +16268|Wireless Communications & Mobile Computing|Computer Science / Wireless communication systems; Mobile communication systems; Communicatiesystemen|1530-8669|Bimonthly| |JOHN WILEY & SONS INC +16269|Wireless Networks|Computer Science / Wireless communication systems; Wide area networks (Computer networks); Local area networks (Computer networks); Computernetwerken; Draadloze communicatie|1022-0038|Bimonthly| |SPRINGER +16270|Wireless Personal Communications|Engineering / Mobile communication systems; Wireless communication systems; Digital communications|0929-6212|Monthly| |SPRINGER +16271|Wirtschaftseigene Futter| |0049-7711|Tri-annual| |DLG-VERLAG +16272|Wisconsin Department of Natural Resources Research Management Findings| | |Irregular| |WISCONSIN DEPT NATURAL RESOURCES +16273|Wisconsin Department of Natural Resources Research Report| |0084-0556|Irregular| |WISCONSIN DEPT NATURAL RESOURCES +16274|Wisconsin Department of Natural Resources Technical Bulletin| |0084-0564| | |WISCONSIN DEPT NATURAL RESOURCES +16275|Wisconsin Law Review|Social Sciences, general|0043-650X|Bimonthly| |UNIV WISCONSIN LAW SCHOOL +16276|Wiwo Report| |1385-3287|Irregular| |WIWO +16277|Wochenblatt fur Papierfabrikation|Materials Science|0043-7131|Semimonthly| |DEUTSCHER FACHVERLAG GMBH +16278|Womans Art Journal|Feminism and art; Women artists|0270-7993|Semiannual| |OLD CITY PUBLISHING INC +16279|Women & Health|Social Sciences, general / Women; Women's health services; Gynecology; Women in medicine; Health; Gezondheidszorg; Vrouwen; Femmes; Femmes en médecine|0363-0242|Bimonthly| |HAWORTH PRESS INC +16280|Women & Therapy|Psychiatry/Psychology / Women; Feminist therapy; Psychotherapy|0270-3149|Quarterly| |HAWORTH PRESS INC +16281|Womens Health Issues|Social Sciences, general / Women; Gynecology; Obstetrics; Women's health services; Women's Health / Women; Gynecology; Obstetrics; Women's health services; Women's Health / Women; Gynecology; Obstetrics; Women's health services; Women's Health|1049-3867|Bimonthly| |ELSEVIER SCIENCE INC +16282|Womens History Review|Women; Women's studies; Femmes; Études sur les femmes|0961-2025|Quarterly| |ROUTLEDGE JOURNALS +16283|Womens Studies International Forum|Social Sciences, general / Women's studies; Feminism; Women's periodicals / Women's studies; Feminism; Women's periodicals|0277-5395|Bimonthly| |PERGAMON-ELSEVIER SCIENCE LTD +16284|Wood and Fiber Science|Plant & Animal Science|0735-6161|Quarterly| |SOC WOOD SCI TECHNOL +16285|Wood Research|Materials Science|1336-4561|Quarterly| |STATE FOREST PRODUCTS RESEARCH INST +16286|Wood Research-Japan| |0049-7916|Annual| |WOOD RESEARCH INST +16287|Wood Science and Technology|Plant & Animal Science /|0043-7719|Bimonthly| |SPRINGER +16288|Woodcock and Snipe Specialist Group Newsletter| | |Irregular| |WOODCOCK SNIPE SPECIALIST GROUP +16289|Word & Image| |0266-6286|Quarterly| |TAYLOR & FRANCIS LTD +16290|Word-Journal of the International Linguistic Association| |0043-7956|Tri-annual| |INT LINGUISTIC ASSOC +16291|Wordsworth Circle| |0043-8006|Quarterly| |NEW YORK UNIV +16292|Work and Occupations|Social Sciences, general / Occupations; Professions|0730-8884|Quarterly| |SAGE PUBLICATIONS INC +16293|Work and Stress|Psychiatry/Psychology / Job stress; Job satisfaction; Stress (Psychology); Job Satisfaction; Stress, Psychological; Work / Job stress; Job satisfaction; Stress (Psychology); Job Satisfaction; Stress, Psychological; Work|0267-8373|Quarterly| |TAYLOR & FRANCIS LTD +16294|Work Employment and Society|Social Sciences, general / Industrial sociology; Work; Industrial relations; Arbeidssociologie; Sociologie industrielle; Travail; Relations industrielles|0950-0170|Quarterly| |SAGE PUBLICATIONS LTD +16295|Work-A Journal of Prevention Assessment & Rehabilitation|Social Sciences, general / Occupational therapy; Industrial hygiene; Accidents, Occupational; Occupational Diseases; Occupational Health; Occupational Therapy|1051-9815|Quarterly| |IOS PRESS +16296|World Applied Sciences Journal| |1818-4952|Bimonthly| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +16297|World Aquaculture| |1041-5602|Quarterly| |WORLD AQUACULTURE SOC +16298|World Archaeology|Archaeology|0043-8243|Quarterly| |ROUTLEDGE JOURNALS +16299|World Bank Economic Review|Economics & Business / Economic development; Economische politiek|0258-6770|Tri-annual| |OXFORD UNIV PRESS +16300|World Bank Research Observer|Economics & Business / Economic development; Economische ontwikkeling|0257-3032|Semiannual| |OXFORD UNIV PRESS +16301|World Development|Social Sciences, general / Economic history; Economic assistance|0305-750X|Monthly| |PERGAMON-ELSEVIER SCIENCE LTD +16302|World Economy|Economics & Business / International economic relations; Internationale economie|0378-5920|Monthly| |WILEY-BLACKWELL PUBLISHING +16303|World Englishes|Social Sciences, general / English language; Intercultural communication|0883-2919|Quarterly| |WILEY-BLACKWELL PUBLISHING +16304|World Journal of Biological Psychiatry|Psychiatry/Psychology / Biological psychiatry; Biological Psychiatry|1562-2975|Quarterly| |TAYLOR & FRANCIS LTD +16305|World Journal of Fish and Marine Sciences| |2078-4589|Irregular| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +16306|World Journal of Gastroenterology|Clinical Medicine / Gastroenterology; Digestive organs; Gastrointestinal Diseases|1007-9327|Weekly| |W J G PRESS +16307|World Journal of Microbiology & Biotechnology|Biology & Biochemistry / Industrial microbiology; Microbial biotechnology; Biotechnology; Microbiology / Industrial microbiology; Microbial biotechnology; Biotechnology; Microbiology|0959-3993|Monthly| |SPRINGER +16308|World Journal of Pediatrics|Clinical Medicine / Pediatrics|1708-8569|Quarterly| |ZHEJIANG UNIV SCH MEDICINE +16309|World Journal of Surgery|Clinical Medicine / Surgery|0364-2313|Monthly| |SPRINGER +16310|World Journal of Surgical Oncology|Clinical Medicine / Cancer; Tumors; Surgery, Operative; Neoplasms; Surgical Procedures, Operative|1477-7819|Irregular| |BIOMED CENTRAL LTD +16311|World Journal of Urology|Clinical Medicine / Urology|0724-4983|Quarterly| |SPRINGER +16312|World Journal of Zoology| |1817-3098|Semiannual| |INT DIGITAL ORGANIZATION SCIENTIFIC INFORMATION-IDOSI +16313|World Literature Today| |0196-3570|Quarterly| |UNIV OKLAHOMA PRESS +16314|World of Music| |0043-8774|Tri-annual| |FLORIAN NOETZEL VERLAG +16315|World Oil| |0043-8790|Monthly| |GULF PUBL CO +16316|World Policy Journal|Social Sciences, general / World politics; Internationale politiek; FOREIGN RELATIONS; UNITED STATES; INTERNATIONAL RELATIONS|0740-2775|Quarterly| |M I T PRESS +16317|World Politics|Social Sciences, general / World politics; International relations; Internationale betrekkingen|0043-8871|Quarterly| |CAMBRIDGE UNIV PRESS +16318|World Pollen and Spore Flora| |0346-4601|Annual| |TAYLOR & FRANCIS LTD +16319|World Psychiatry|Psychiatry/Psychology|1723-8617|Tri-annual| |ELSEVIER MASSON +16320|World Rabbit Science|Plant & Animal Science /|1257-5011|Quarterly| |UNIV POLITECNICA VALENCIA +16321|World Trade Review|Social Sciences, general / Commercial policy; International economic relations; Foreign trade regulation; International trade|1474-7456|Quarterly| |CAMBRIDGE UNIV PRESS +16322|World Wide Web Journal of Biology| | |Irregular| |EPRESS INC +16323|World Wide Web-Internet and Web Information Systems|Computer Science / World Wide Web|1386-145X|Quarterly| |SPRINGER +16324|Worlds Poultry Science Journal|Plant & Animal Science / Poultry; Poultry Diseases; Pluimvee; Pluimveehouderij|0043-9339|Quarterly| |CAMBRIDGE UNIV PRESS +16325|Worldviews on Evidence-Based Nursing|Nursing; Evidence-based nursing; Evidence-Based Medicine|1545-102X|Quarterly| |WILEY-BLACKWELL PUBLISHING +16326|Wound Repair and Regeneration|Clinical Medicine / Regeneration (Biology); Wound healing; Regeneration; Wound Healing|1067-1927|Bimonthly| |WILEY-BLACKWELL PUBLISHING +16327|Wounds-A Compendium of Clinical Research and Practice|Clinical Medicine|1044-7946|Monthly| |H M P COMMUNICATIONS +16328|Wpa News| |0963-3278|Tri-annual| |WORLD PHEASANT ASSOC +16329|Written Communication|Social Sciences, general / Written communication|0741-0883|Quarterly| |SAGE PUBLICATIONS INC +16330|Wspolczesna Onkologia-Contemporary Oncology|Clinical Medicine /|1428-2526|Monthly| |TERMEDIA PUBLISHING HOUSE LTD +16331|Wuhan Daxue Xuebao-Yixue Ban| |1671-8852|Quarterly| |WUHAN UNIV JOURNALS PRESS +16332|Wuhan University Journal of Natural Sciences|Natural history; Science|1007-1202|Semiannual| |WUHAN UNIV JOURNALS PRESS +16333|Wulfenia|Plant & Animal Science|1561-882X|Annual| |LANDESMUSEUM KARNTEN +16334|Wuyi Science Journal| |1001-4276|Annual| |FUJIAN AGRICULTURAL UNIV +16335|Wyoming Agricultural Experiment Station Science Monograph| |0084-3156|Irregular| |UNIV WYOMING +16336|X-Ray Spectrometry|Chemistry / X-ray spectroscopy; Röntgenstraling; Spectrometrie|0049-8246|Bimonthly| |JOHN WILEY & SONS LTD +16337|Xenobiotica|Pharmacology & Toxicology / Metabolism; Drugs; Toxicology; Food additives; Chemicals; Biochemistry; Pharmaceutical Preparations|0049-8254|Monthly| |TAYLOR & FRANCIS LTD +16338|Xenophora| |0755-8198|Quarterly| |ASSOC FRANC CONCHYL +16339|Xenotransplantation|Clinical Medicine / Transplantation of organs, tissues, etc; Transplantation, Heterologous; Xenotransplantatie|0908-665X|Quarterly| |WILEY-BLACKWELL PUBLISHING +16340|Xibei Dizhi| |1009-6248|Irregular| |CHINESE ACAD GEOLOGICAL SCIENCES +16341|Xibei Shifan Daxue Xuebao-Ziran Kexue Ban| |1001-988X|Quarterly| |NORTHWEST NORMAL UNIV +16342|Xinan Daxue Xuebao Ziran Kexue Ban| |1673-9868|Monthly| |SOUTHWEST UNIV +16343|Xinjiang Nongye Daxue Xuebao| |1007-8614|Quarterly| |XINJIANG NONGYE DAXUE +16344|Xinjiang Nongye Kexue| |1001-4330|Bimonthly| |CHINA INT BOOK TRADING CORP +16345|Xumu Shouyi Xuebao-Acta Veterinaria et Zootechnica Sinica| |0366-6964|Bimonthly| |CHINA INT BOOK TRADING CORP +16346|Yadoriga| |0513-417X|Irregular| |LEPIDOPTEROLOGICAL SOC JAPAN +16347|Yakhak Hoeji| |0377-9556|Quarterly| |PHARMACEUTICAL SOC KOREA +16348|Yakhteh|Molecular Biology & Genetics|1561-4921|Quarterly| |ROYAN INST +16349|Yakugaku Zasshi-Journal of the Pharmaceutical Society of Japan|Pharmacology & Toxicology / Pharmacy; Pharmacology|0031-6903|Monthly| |PHARMACEUTICAL SOC JAPAN +16350|Yakuzaigaku| |0372-7629|Quarterly| |ACAD PHARMACEUTICAL SCIENCE TECHNOLOGY +16351|Yale French Studies|French literature; Philosophy, French|0044-0078|Semiannual| |YALE FRENCH STUDIES +16352|Yale Journal of Biology and Medicine|Clinical Medicine|0044-0086|Bimonthly| |YALE J BIOLOGY MEDICINE +16353|Yale Law Journal|Social Sciences, general / Law reviews; Recht; Droit; Jurisprudence|0044-0094|Bimonthly| |YALE LAW J CO INC +16354|Yale Review|Social Sciences, general / Social sciences; CIENCIAS SOCIALES|0044-0124|Quarterly| |WILEY-BLACKWELL PUBLISHING +16355|Yamagata Medical Journal| |0288-030X|Semiannual| |YAMAGATA UNIV-YAMAGATA DAIGAKU +16356|Yangzhou Daxue Xuebao Nongye Yu Shengming Kexue Ban| |1671-4652|Quarterly| |JIANGSU NONGYE YANJIU +16357|Yaquina Studies in Natural History| | |Irregular| |GAHMKEN PRESS +16358|Yearbook for Traditional Music|Folk music; Musique folklorique|0740-1558|Annual| |INT COUNCIL TRADITIONAL MUSIC +16359|Yearbook of Physical Anthropology|Social Sciences, general|0096-848X|Annual| |WILEY-LISS +16360|Yeast|Microbiology / Yeast; Yeasts; Gist|0749-503X|Monthly| |JOHN WILEY & SONS LTD +16361|Yellowstone Science| | |Quarterly| |YELLOWSTONE ASSOC NATURAL SCI +16362|Yerbilimleri| |1301-2894|Irregular| |HACETTEPE UNIV +16363|Yichuan|Heredity; Genetics|0253-9772|Irregular| |INST GENETICS DEVELOPMENTAL BIOLOGY +16364|Yiddish-Modern Jewish Studies| |0364-4308|Quarterly| |YIDDISH +16365|Yokohama Medical Bulletin| |0044-0531|Tri-annual| |YOKOHAMA CITY UNIV +16366|Yonago Acta Medica|Clinical Medicine|0513-5710|Semiannual| |TOTTORI UNIV +16367|Yonsei Medical Journal|Clinical Medicine / Medicine|0513-5796|Bimonthly| |YONSEI UNIV COLLEGE MEDICINE +16368|Yorkshire Birding| |1466-6375|Quarterly| |YORKSHIRE BIRDING +16369|Yorkshire Naturalists Union Bulletin| |0265-6833|Semiannual| |YORKSHIRE NATURALISTS UNION +16370|Young|Social Sciences, general / Youth|1103-3088|Quarterly| |SAGE PUBLICATIONS LTD +16371|Youth & Society|Social Sciences, general / Youth; Adolescent; Psychology, Social; Sociology|0044-118X|Quarterly| |SAGE PUBLICATIONS INC +16372|Youth Violence and Juvenile Justice|Social Sciences, general / Juvenile justice, Administration of; Juvenile delinquency; Violence; Juvenile Delinquency|1541-2040|Quarterly| |SAGE PUBLICATIONS INC +16373|Yugato| |0387-5695|Quarterly| |YUGATO SOC +16374|Yunnan Geology| |1004-1885|Quarterly| |EDITORIAL OFFICE YUNNAN GEOLOGY +16375|Yuzuncu Yil Universitesi Ziraat Fakultesi Dergisi| |1018-9424|Semiannual| |YUZUNCU YIL UNIV +16376|Zamm-Zeitschrift fur Angewandte Mathematik und Mechanik|Engineering / Mathematics; Mechanics, Applied; Engineering; Mechanica; Wiskundige methoden; Werktuigbouw; Mathématiques; Mécanique appliquée; Ingénierie / Mathematics; Mechanics, Applied; Engineering; Mechanica; Wiskundige methoden; Werktuigbouw; Mathéma|0044-2267|Monthly| |WILEY-V C H VERLAG GMBH +16377|Zashtita Prirode| |0514-5899|Annual| |INST PROTECTION NATURE SERBIA +16378|Zastita Bilja| |0372-7866|Quarterly| |INST ZA ZASTITU BILJA I ZIVOTNU SREDINU +16379|Zbirnyk Prats Zoologichnoho Muzeya-Kyiv| |0132-1102|Annual| |ZOOLOGICAL MUSEUM +16380|Zbornik Matitse Srpske Za Prirodne Nauke| |0352-4906|Semiannual| |DEPARTMENT NATURAL SCIENCES +16381|Zbornik Radova Ekonomskog Fakulteta U Rijeci-Proceedings of Rijeka Facultyof Economics| |1331-8004|Semiannual| |UNIV RIJEKA +16382|Zbornik Radova O Fauni Srbije| |0351-7225|Irregular| |SRPSKA AKAD NAUKA I UMETNOSTI +16383|Zbornik Slovenskeho Narodneho Muzea Prirodne Vedy| |0139-5424|Annual| |SLOVENSKE NARODNE MUZEUM V BRATISLAVE +16384|Zdravniski Vestnik-Slovenian Medical Journal|Clinical Medicine|1318-0347|Monthly| |SLOVENE MEDICAL SOC +16385|Zdravstveno Varstvo|Social Sciences, general /|0351-0026|Quarterly| |INST PUBLIC HEALTH REPUBLIC SLOVENIA +16386|Zebrafish|Plant & Animal Science / Zebra danio; Zebrafish|1545-8547|Quarterly| |MARY ANN LIEBERT INC +16387|Zeepaard| |0926-3497|Bimonthly| |STRANDWERKGEMEENSCHAP +16388|Zeitgeschichte|Social Sciences, general|0256-5250|Bimonthly| |STUDIENVERLAG +16389|Zeitschrift der Arbeitsgemeinschaft Oesterreichischer Entomologen| |0375-5223|Quarterly| |ARBEITSGEMEINSCHAFT OESTERREICHISCHER ENTOMOLOGEN +16390|Zeitschrift der Deutschen Gesellschaft für Geowissenschaften|Geosciences / Geology|1860-1804|Quarterly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +16391|Zeitschrift der Deutschen Morgenlandischen Gesellschaft| |0341-0137|Semiannual| |HARRASSOWITZ VERLAG +16392|Zeitschrift des Deutschen Palastina-Vereins| |0012-1169|Semiannual| |VERLAG OTTO HARRASSOWITZ +16393|Zeitschrift des Deutschen Vereins fur Kunstwissenschaft| |0044-2135|Semiannual| |DEUTSCHER VERLAG KUNSTWISSEN +16394|Zeitschrift des Koelner Zoo| |0375-5290|Quarterly| |ZOOLOGISCHER GARTEN +16395|Zeitschrift des Vereines Deutscher Ingenieure| |0341-7255|Irregular| |SPRINGER-VDI VERLAG GMBH & CO KG +16396|Zeitschrift für Feldherpetologie| |0946-7998|Semiannual| |LAURENTI VERLAG +16397|Zeitschrift für Mykologie| |0170-110X|Semiannual| |DEUTSCHE GESELLSCHAFT MYKOLOGIE +16398|Zeitschrift für Ägyptische Sprache und Altertumskunde|Egyptology; Egyptisch; Oudheid; Égyptologie|0044-216X|Semiannual| |AKADEMIE VERLAG GMBH +16399|Zeitschrift für Analysis und ihre Anwendungen|Mathematics /|0232-2064|Quarterly| |HELDERMANN VERLAG +16400|Zeitschrift für Angewandte Geologie| |0044-2259|Monthly| |E. SCHWEIZERBART SCIENCE PUBLISHERS +16401|Zeitschrift für angewandte Mathematik und Physik|Mathematics / Mathematics; Physics; Mathématiques; Physique|0044-2275|Bimonthly| |BIRKHAUSER VERLAG AG +16402|Zeitschrift für Anglistik und Amerikanistik| |0044-2305|Quarterly| |KONIGSHAUSEN & NEUMANN GMBH +16403|Zeitschrift für anorganische Chemie| |0372-7874|Irregular| |JOHANN AMBROSIUS BARTH VERLAG MEDIZINVERLAGE HEIDELBERG GMBH +16404|Zeitschrift für anorganische und allgemeine Chemie|Chemistry / Chemistry, Inorganic; Chemistry|0044-2313|Monthly| |WILEY-V C H VERLAG GMBH +16405|Zeitschrift für Antikes Christentum-Journal of Ancient Christianity|Church history; Christianity|0949-9571|Semiannual| |WALTER DE GRUYTER & CO +16406|Zeitschrift für Arbeits-Und Organisationspsychologie|Psychiatry/Psychology / /|0932-4089|Quarterly| |HOGREFE & HUBER PUBLISHERS +16407|Zeitschrift für Arznei- & Gewürzpflanzen|Plant & Animal Science|1431-9292|Quarterly| |AGRIMEDIA GMBH +16408|Zeitschrift für Assyriologie und vorderasiatische Archäologie|Assyriology|0084-5299|Semiannual| |WALTER DE GRUYTER & CO +16409|Zeitschrift für Bibliothekswesen und Bibliographie|Social Sciences, general|0044-2380|Bimonthly| |VITTORIO KLOSTERNAMM GMBH +16410|Zeitschrift für Biologie| |0372-8366|Irregular| |URBAN & SCHWARZENBERG +16411|Zeitschrift für Deutsche Philologie| |0044-2496|Quarterly| |ERICH SCHMIDT VERLAG +16412|Zeitschrift für Deutsches Altertum und Deutsche Literatur| |0044-2518|Quarterly| |FRANZ STEINER VERLAG GMBH +16413|Zeitschrift für Dialektologie und Linguistik| |0044-1449|Tri-annual| |FRANZ STEINER VERLAG GMBH +16414|Zeitschrift für die Alttestamentliche Wissenschaft|Oude Testament|0044-2526|Quarterly| |WALTER DE GRUYTER & CO +16415|Zeitschrift für die gesamte Neurologie und Psychiatrie|Neurology; Psychiatry|0303-4194| | |SPRINGER +16416|Zeitschrift für die Neutestamentliche Wissenschaft und die Kunde der Alteren Kirche|Church history; Église / Church history; Église|0044-2615|Semiannual| |WALTER DE GRUYTER & CO +16417|Zeitschrift für Elektrochemie| |0372-8382|Monthly| |VCH PUBLISHERS INC +16418|Zeitschrift für Elektrochemie und Angewandte Physikalische Chemie| |0372-8323| | |VCH PUBLISHERS INC +16419|Zeitschrift für Entwicklungspsychologie und Pädagogische Psychologie|Psychiatry/Psychology / Educational psychology; Child Development; Child Psychology; Psychology, Educational|0049-8637|Quarterly| |HOGREFE & HUBER PUBLISHERS +16420|Zeitschrift für Erziehungswissenschaft|Social Sciences, general / Education|1434-663X|Quarterly| |VS VERLAG SOZIALWISSENSCHAFTEN-GWV FACHVERLAGE GMBH +16421|Zeitschrift für Ethnologie|Social Sciences, general|0044-2666|Semiannual| |DIETRICH REIMER VERLAG +16422|Zeitschrift für Evaluation|Psychiatry/Psychology|1619-5515|Semiannual| |WAXMANN VERLAG GMBH +16423|Zeitschrift für Evangelische Ethik| |0044-2674|Quarterly| |GUTERSLOHER VERLAGS +16424|Zeitschrift für Familienforschung|Social Sciences, general|1437-2940|Tri-annual| |VERLAG BARBARA BUDRICH +16425|Zeitschrift für Fischkunde| |0939-6330|Semiannual| |VERLAG NATUR & WISSENSCHAFT +16426|Zeitschrift für Franzosische Sprache und Literatur| |0044-2747|Tri-annual| |FRANZ STEINER VERLAG GMBH +16427|Zeitschrift für Gastroenterologie|Clinical Medicine / Gastroenterology|0044-2771|Monthly| |GEORG THIEME VERLAG KG +16428|Zeitschrift für Geologische Wissenschaften| |0303-4534|Monthly| |GESELLSCHAFT FUER GEOWISSENSCHAFTEN +16429|Zeitschrift für Geomorphologie|Geosciences / Geomorphology; Geomorfologie; Géomorphologie|0372-8854|Quarterly| |GEBRUDER BORNTRAEGER +16430|Zeitschrift für Germanistik|German philology; German language; German literature; Germanistiek|0323-7982|Bimonthly| |PETER LANG GMBH +16431|Zeitschrift für Germanistische Linguistik|German language|0301-3294|Tri-annual| |WALTER DE GRUYTER & CO +16432|Zeitschrift für Gerontologie und Geriatrie|Clinical Medicine / Geriatrics; Gériatrie / Geriatrics; Gériatrie|0948-6704|Bimonthly| |SPRINGER HEIDELBERG +16433|Zeitschrift für Geschichtswissenschaft| |0044-2828|Monthly| |METROPOL-VERLAG +16434|Zeitschrift für Gesundheitspsychologie| |0943-8149|Quarterly| |HOGREFE & HUBER PUBLISHERS +16435|Zeitschrift für Historische Forschung|History|0340-0174|Quarterly| |DUNCKER & HUMBLOT GMBH +16436|Zeitschrift für Katalanistik| |0932-2221|Annual| |ALBERT LUDWIGS UNIV +16437|Zeitschrift für Kinder-Und Jugendpsychiatrie und Psychotherapie|Psychiatry/Psychology / Mental Disorders; Psychotherapy|1422-4917|Quarterly| |VERLAG HANS HUBER +16438|Zeitschrift für Kirchengeschichte| |0044-2925|Tri-annual| |W KOHLHAMMER GMBH +16439|Zeitschrift für Klinische Psychologie und Psychotherapie|Psychiatry/Psychology / Mental Disorders|1616-3443|Quarterly| |HOGREFE & HUBER PUBLISHERS +16440|Zeitschrift für Kristallographie|Chemistry / Crystallography; Crystals; Mineralogy; Kristallografie|0044-2968|Monthly| |OLDENBOURG VERLAG +16441|Zeitschrift für Kristallographie-New Crystal Structures|Chemistry|1433-7266|Quarterly| |OLDENBOURG VERLAG +16442|Zeitschrift für Kristallographie und Mineralogie| |0372-9176| | |OLDENBOURG VERLAG +16443|Zeitschrift für Kunstgeschichte|Art|0044-2992|Quarterly| |DEUTSCHER KUNSTVERLAG GMBH +16444|Zeitschrift für Medizinische Physik|Clinical Medicine / Technology, Radiologic; Radiography; Radionuclide Imaging; Radiotherapy / Technology, Radiologic; Radiography; Radionuclide Imaging; Radiotherapy|0939-3889|Quarterly| |ELSEVIER GMBH +16445|Zeitschrift für Morphologie und Anthropologie| |0044-314X|Annual| |E. SCHWEIZERBART SCIENCE PUBLISHERS +16446|Zeitschrift für Nationalökonomie|Economics / Economics / Economics|0044-3158|Irregular| |SPRINGER +16447|Zeitschrift für Naturforschung Section A-A Journal of Physical Sciences|Chemistry|0932-0784|Monthly| |VERLAG Z NATURFORSCH +16448|Zeitschrift für Naturforschung Section B-A Journal of Chemical Sciences|Chemistry|0932-0776|Monthly| |VERLAG Z NATURFORSCH +16449|Zeitschrift für Naturforschung Section C-A Journal of Biosciences|Biology & Biochemistry|0939-5075|Bimonthly| |VERLAG Z NATURFORSCH +16450|Zeitschrift für Neuropsychologie|Neuroscience & Behavior / Neuropsychology; Nervous System Diseases|1016-264X|Quarterly| |VERLAG HANS HUBER +16451|Zeitschrift für Orthopädie und Unfallchirurgie|Clinical Medicine / Gymnastics; Orthopedics; Physical Therapy Techniques; Orthopedie|1864-6697|Bimonthly| |THIEME MEDICAL PUBL INC +16452|Zeitschrift für Padagogik|Social Sciences, general|0044-3247|Bimonthly| |VERLAG JULIUS BELTZ +16453|Zeitschrift für Pädagogische Psychologie|Psychiatry/Psychology / Educational psychology|1010-0652|Tri-annual| |VERLAG HANS HUBER +16454|Zeitschrift für Personalforschung|Social Sciences, general|0179-6437|Quarterly| |RAINER HAMPP VERLAG +16455|Zeitschrift für philosophische Forschung|Philosophy|0044-3301|Quarterly| |VITTORIO KLOSTERNAMM GMBH +16456|Zeitschrift für Physik|Nuclear physics; Hadrons; Astrophysics; Kernfysica; Physique nucléaire; Astrophysique|0044-3328|Irregular| |SPRINGER +16457|Zeitschrift für Physikalische Chemie-Abteilung A-Chemische Thermodynamik Kinetik Elektrochemie Eigenschaftslehre| |0372-9656|Irregular| |AKAD VERLAGSGESELLSCH GEEST & PORTIG +16458|Zeitschrift für Physikalische Chemie-Abteilung B-Chemie der Elementarprozesse Aufbau der Materie| |0372-9664|Irregular| |AKAD VERLAGSGESELLSCH GEEST & PORTIG +16459|Zeitschrift für Physikalische Chemie-International Journal of Research in Physical Chemistry & Chemical Physics|Chemistry / Chemistry, Physical and theoretical; Chemistry, Physical|0942-9352|Monthly| |OLDENBOURG VERLAG +16460|Zeitschrift für Physikalische Chemie-Leipzig| |0323-4479|Bimonthly| |AKAD VERLAGSGESELLSCH GEEST & PORTIG +16461|Zeitschrift für Physikalische Chemie-Stochiometrie und Verwandtschaftslehre| |0372-8501|Irregular| |AKAD VERLAGSGESELLSCH GEEST & PORTIG +16462|Zeitschrift für Psychiatrie Psychologie und Psychotherapie|Psychiatry/Psychology / Psychology; Clinical psychology; Psychiatry; Psychotherapy; Psychology, Pathological; Mental Disorders|1661-4747|Quarterly| |VERLAG HANS HUBER +16463|Zeitschrift für Psychologie|Psychology; Psychophysiology|0323-8342|Monthly| |HOGREFE & HUBER PUBLISHERS +16464|Zeitschrift für Psychologie und Physiologie der Sinnesorgane| |0233-2302| | |SWETS ZEITLINGER PUBLISHERS +16465|Zeitschrift für Psychologie-Journal of Psychology|Psychiatry/Psychology / Psychology; Psychophysiology|0044-3409|Quarterly| |HOGREFE & HUBER PUBLISHERS +16466|Zeitschrift für Psychosomatische Medizin und Psychotherapie|Psychiatry/Psychology|1438-3608|Quarterly| |VANDENHOECK & RUPRECHT +16467|Zeitschrift für Religions-Und Geistesgeschichte|Religion; Theology; Philosophy; Théologie; Philosophie|0044-3441|Quarterly| |BRILL ACADEMIC PUBLISHERS +16468|Zeitschrift für Rheumatologie|Clinical Medicine / Arthritis; Rheumatic Diseases|0340-1855|Bimonthly| |SPRINGER HEIDELBERG +16469|Zeitschrift für Romanische Philologie|Romance philology; Philology, Modern; Romance literature|0049-8661|Quarterly| |MAX NIEMEYER VERLAG +16470|Zeitschrift für Semiotik| |0170-6241|Quarterly| |STAUFFENBURG VERLAG +16471|Zeitschrift für Sexualforschung|Sex; Sexology; Sexual Behavior|0932-8114|Quarterly| |GEORG THIEME VERLAG KG +16472|Zeitschrift für Slavische Philologie| |0044-3492|Semiannual| |UNIVERSITATSVERLAG C WINTER HEIDELBERG GMBH +16473|Zeitschrift für Slawistik|Slavic philology; Slavistiek|0044-3506|Quarterly| |AKADEMIE VERLAG GMBH +16474|Zeitschrift für Soziologie|Social Sciences, general|0340-1804|Bimonthly| |LUCIUS LUCIUS VERLAG MBH +16475|Zeitschrift für Soziologie der Erziehung und Sozialisation|Social Sciences, general|1436-1957|Quarterly| |JUVENTA VERLAG GMBH +16476|Zeitschrift für Sportpsychologie|Psychiatry/Psychology /|1612-5010|Quarterly| |HOGREFE & HUBER PUBLISHERS +16477|Zeitschrift für Sprachwissenschaft|Social Sciences, general / Linguistics|0721-9067|Semiannual| |MOUTON DE GRUYTER +16478|Zeitschrift für Theologie und Kirche| |0044-3549|Quarterly| |J C B MOHR +16479|Zeitschrift für Volkskunde| |0044-3700|Semiannual| |W KOHLHAMMER GMBH +16480|Zeitschrift für Wirtschaftsgeographie|Economics & Business|0044-3751|Quarterly| |BUCHENVERLAG +16481|Zeitschrift für Wissenschaftliche Zoologie| |0044-3778|Quarterly| |AKAD VERLAGSGESELLSCH GEEST & PORTIG +16482|Zeledonia| |1659-0732|Semiannual| |ASOC ORNITOLOGICA COSTA RICA +16483|Zemdirbyste-Agriculture|Agricultural Sciences|1392-3196|Quarterly| |LITHUANIAN INST AGRICULTURE +16484|Zentralblatt für Chirurgie|Clinical Medicine / Surgery|0044-409X|Monthly| |GEORG THIEME VERLAG KG +16485|Zeszyty Naukowe Uniwersytetu Przyrodniczego We Wroclawiu| |1897-208X|Irregular| |WYDAWNICTWO AKAD ROLNICZEJ WE WROCLAWIU +16486|Zeylanica| |1391-6270|Semiannual| |WHT PUBLICATIONS-PTE LTD +16487|Zgap Mitteilungen| |1616-9956|Semiannual| |ZOOLOGISCHE GESELLSCHAFT ARTEN- POPULATIONSSCHUTZ E V +16488|Zhejiang Linxueyuan Xuebao| |1000-5692|Irregular| |ZHEJIANG FORESTRY COLL +16489|Zhivotnov Dni Nauki| |0514-7441|Bimonthly| |CENTRE SCIENTIFIC & TECHN INFO +16490|Zhivotnyi Mir Dalnego Vostoka| |0208-1547|Irregular| |BLAGOVESHCHENSKIY STATE PEDAGOGICAL UNIV +16491|Zhongguo Chaosheng Yixue Zazhi| |1002-0101|Monthly| |CHINESE INFORMATION CENTER ULTRASOUND DIAGNOSIS +16492|Zhongguo Haiyang Yaowu| |1002-3461|Bimonthly| |ZHONGGUO YAOXUEHUI +16493|Zhongguo Meijieshengwuxue Ji Kongzhi Zazhi| |1003-8280|Bimonthly| |EDITORIAL OFFICE CHINESE JOURNAL VECTOR BIOLOGY CONTROL +16494|Zhongguo Nongye Daxue Xuebao| |1007-4333|Bimonthly| |CHINA AGRICULTURAL UNIV +16495|Zhongguo Senlin Bingchong| |1671-0886|Bimonthly| |FOREST PEST DISEASE +16496|Zhongguo Shouyi Kexue| |1673-4696|Monthly| |LANZHOU VETERINARY RESEARCH INST +16497|Zhongguo Xuexichongbing Fangzhi Zazhi| |1005-6661|Bimonthly| |CHINA PREVENTATIVE MEDICINE ASSOC +16498|Zhongguo Yiyao Gongye Zazhi| |1001-8255|Monthly| |SHANGHAI INST PHARMACEUTICAL INDUSTRY +16499|Zhongguo Zhongyao Zazhi| |1001-5302|Monthly| |CHINA JOURNAL CHINESE MATERIA MEDICA +16500|Zhonghua Jiehe He Huxi Zazhi| |1001-0939|Monthly| |CHINESE MEDICAL ASSOC +16501|Zhonghua Pifuke Zazhi| |0412-4030|Irregular| |INST DERMATOLOGY +16502|Zhonghua Weisheng Shachong Yaoxie| |1671-2781|Bimonthly| |CENTER DISEASE CONTROL & PREVENTION NANJING COMMAND +16503|Zhonghua Xinxueguanbing Zazhi| |0253-3758|Irregular| |CHINESE MEDICAL ASSOC +16504|Zhonghua Yufang Yixue Zazhi| |0253-9624|Irregular| |CHINESE MEDICAL ASSOC +16505|Zhonghua Zhongliu Zazhi| |0253-3766|Irregular| |CANCER INST +16506|Zhurnal Mikrobiologii Epidemiologii I Immunobiologii| |0372-9311|Monthly| |S-INFO +16507|Zhurnal Nevrologii I Psikhiatrii Imeni S S Korsakova| |1997-7298|Monthly| |IZDATELSTVO MEDITSINA +16508|Zhurnal Obshchei Biologii|Biology & Biochemistry|0044-4596|Bimonthly| |MEZHDUNARODNAYA KNIGA +16509|Zhurnal Vysshei Nervnoi Deyatelnosti Imeni I P Pavlova|Neuroscience & Behavior|0044-4677|Bimonthly| |MEZHDUNARODNAYA KNIGA +16510|Zimbabwe Science News| |1016-1503|Quarterly| |ZIMBABWE SCIENTIFIC ASSOC NEWS +16511|Zitteliana Reihe A| |1612-412X|Annual| |BAYERISCHE STAATSSAMMLUNG PALAEONTOLOGIE & GEOLOGIE +16512|Zitteliana Reihe B| |1612-4138|Annual| |BAYERISCHE STAATSSAMMLUNG PALAEONTOLOGIE & GEOLOGIE +16513|Zivot Umjetnosti| |0514-7794|Semiannual| |INST POVIJEST UMJETNOSTI-INST ART HISTORY +16514|Zkg International|Materials Science|0949-0205|Monthly| |BAUVERLAG BV GMBH +16515|Zoo Biology|Plant & Animal Science / Zoo animals; Animals, Zoo; Dierkunde; Dierentuinen; Dieren; Biologie|0733-3188|Bimonthly| |WILEY-LISS +16516|Zoogdier| |0925-1006|Quarterly| |VERENIGING VOOR ZOOGDIERKUNDE EN ZOOGDIERBESCHERMING-VZZ +16517|ZooKeys|Plant & Animal Science /|1313-2989|Irregular| |PENSOFT PUBLISHERS +16518|Zoologia|Plant & Animal Science /|1984-4670|Quarterly| |SOC BRASILEIRA ZOOLOGIA +16519|Zoologia Caboverdiana| |2074-5737|Irregular| |SOC CABOVERDIANA ZOOL +16520|Zoologica Baetica| |1130-4251|Annual| |UNIV GRANADA +16521|Zoologica Nova| | |Irregular| |VIRTUAL MUSEUM NATURAL HISTORY +16522|Zoologica Poloniae| |0044-510X|Quarterly| |POLSKIE TOWARZYSTWA ZOOLOGICZNEGO +16523|Zoologica Scripta|Plant & Animal Science / Zoology|0300-3256|Bimonthly| |WILEY-BLACKWELL PUBLISHING +16524|Zoologica-Stuttgart| |0044-5088|Semiannual| |E. SCHWEIZERBART SCIENCE PUBLISHERS +16525|Zoological Journal of the Linnean Society|Plant & Animal Science / Zoology|0024-4082|Monthly| |WILEY-BLACKWELL PUBLISHING +16526|Zoological Research|Zoology|0254-5853|Bimonthly| |SCIENCE CHINA PRESS +16527|ZOOLOGICAL SCIENCE|Plant & Animal Science / Zoology|0289-0003|Monthly| |ZOOLOGICAL SOC JAPAN +16528|Zoological Studies|Plant & Animal Science|1021-5506|Quarterly| |ACAD SINICA INST ZOOLOGY +16529|Zoological Survey of India Handbook Series| | |Irregular| |ZOOLOGICAL SOC INDIA +16530|Zoologicheskie Issledovania| |1025-532X|Irregular| |UNIV QATAR +16531|Zoologichesky Zhurnal|Plant & Animal Science|0044-5134|Monthly| |MEZHDUNARODNAYA KNIGA +16532|Zoologiis Institutis Sromebi| |1512-1720|Irregular| |AKAD NAUK GRUZII +16533|Zoologische Garten|Zoos|0044-5169|Bimonthly| |ELSEVIER GMBH +16534|Zoologische Mededelingen| |0024-0672|Irregular| |NATL NATUURHISTORISCH MUSEUM +16535|Zoologischer Anzeiger|Plant & Animal Science / Zoology; Dierkunde|0044-5231|Quarterly| |ELSEVIER GMBH +16536|Zoologiska Bidrag Fran Uppsala| |0373-0964|Irregular| |ALMQVIST & WIKSELL INT +16537|Zoologiya Bespozvonochnykh| |1812-9250|Irregular| |KMK SCIENTIFIC PRESS LTD +16538|Zoology|Plant & Animal Science / Zoology; Physiology; Anatomy; Developmental biology; Ecophysiology; Population biology; Evolution (Biology); Dierkunde|0944-2006|Quarterly| |ELSEVIER GMBH +16539|Zoology in the Middle East|Plant & Animal Science|0939-7140|Annual| |MAX KASPAREK VERLAG +16540|Zoomorphology|Plant & Animal Science / Morphology (Animals); Anatomy, Comparative; Physiology, Comparative; Anatomy, Veterinary / Morphology (Animals); Anatomy, Comparative; Physiology, Comparative; Anatomy, Veterinary / Morphology (Animals); Anatomy, Comparative; Phy|0720-213X|Bimonthly| |SPRINGER +16541|Zoonoses and Public Health|Plant & Animal Science / Zoonoses; Public Health|1863-1959|Monthly| |WILEY-BLACKWELL PUBLISHING +16542|Zoonotes| |1313-9916|Irregular| |PLOVDIV UNIV +16543|Zoonova| |1759-0116|Irregular| |AFRIHERP COMUNICATIONS +16544|Zoos Print| |0971-6378|Monthly| |ZOO OUTREACH ORGANISATION +16545|Zoosystema|Plant & Animal Science|1280-9551|Quarterly| |PUBLICATIONS SCIENTIFIQUES DU MUSEUM +16546|Zoosystematica Rossica| |0320-9180|Semiannual| |ZOOLOGICAL INST +16547|Zoosystematics and Evolution|Zoology|1435-1935|Semiannual| |WILEY-V C H VERLAG GMBH +16548|Zootaxa|Plant & Animal Science|1175-5326|Irregular| |MAGNOLIA PRESS +16549|Zootecnia Tropical| |0798-7269|Tri-annual| |CENTRO NACIONAL INVESTIGACIONES AGROPECUARIAS VENEZUELA +16550|Zoovita| | |Irregular| |CURCULIO-INST +16551|Zpravy Mos| |0231-5750|Annual| |MORAVIAN ORNITHOLOGICAL SOC +16552|Zpravy Vlastivedneho Muzea V Olomouci| |1212-1134|Irregular| |VLASTIVEDNE MUZEUM V OLOMOUCI +16553|Zsl Conservation Report| |1744-3997|Irregular| |ZOOLOGICAL SOC LONDON +16554|Zuchtungskunde|Plant & Animal Science|0044-5401|Bimonthly| |EUGEN ULMER GMBH CO +16555|Zuckerindustrie|Agricultural Sciences|0344-8657|Monthly| |VERLAG DR ALBERT BARTENS +16556|Zygon|Social Sciences, general / Religion and science; Religion and Science; Religion et sciences; Theologie; Condition humaine; Éthique; Philosophie; Religion; Science (Connaissance scientifique)|0591-2385|Quarterly| |WILEY-BLACKWELL PUBLISHING +16557|Zygote|Molecular Biology & Genetics / Developmental biology; Embryology; Zygotes; Gametes; Embryo and Fetal Development; Zygote|0967-1994|Quarterly| |CAMBRIDGE UNIV PRESS +16558|Zywnosc-Nauka Technologia Jakosc|Agricultural Sciences|1425-6959|Quarterly| |POLSKIE TOWARZYSTWO TECHNOLOGOW ZYWNOSCI +16560|Dissertationes Botanicae|Botany| | |http://www.schweizerbart.de/series/dissbot|E. SCHWEIZERBART SCIENCE PUBLISHERS +16561|Quaternary Sciences|Geology|1001-7410|bimonthly|http://en.cnki.com.cn/Journal_en/A-A011-DSJJ.htm|CHINA NATIONAL KNOWLEDGE INFRASTRUCTURE +16562|Göttinger Arbeiten zur Geologie und Paläontologie|Geowissenschaften| | | |Geologisch-Paläontologisches Institut der Universität Göttingen +16563|Mitteilungen der Ostalpin-Dinarischen Gesellschaft für Vegetationskunde|Vegetation Ecology| |Irregular| |Ostalpin-Dinarischen Gesellschaft für Vegetationskunde +16564|Berichte der Deutschen Botanischen Gesellschaft|Plant biology| |Irregular| |Deutsche Botanische Gesellschaft e. V., Berlin +16565|B.B.C. Beihefte zum Botanischen Centralblatt|Plant biology| |Irregular| |Verlag von C. Heinrich, Dresden-Neustadt +16566|GeoLines|Geoscience|1210-9606|Irregular|http://geolines.gli.cas.cz/|Institute of Geology, Academy of Sciences of the Czech Republic +16567|Berichte-Reports, Geologisch-Paläontologisches Institut der Universität Kiel|Geoscience|0175-9302|Irregluar, abandoned|http://d-nb.info/010434682|Geologisch-Paläontologisches Institut, Christian-Albrechts-Universität, Kiel +16568|Berichte-Reports, Institut für Geowissenschaften, Universität Kiel|Geoscience|0175-9302|Irregluar, abondened|http://d-nb.info/01968441X|Institut für Geowissenschaften, Christian-Albrechts-Universität, Kiel +16569|GEOMAR Report| |0936-5788| | |Research Center for Marine Geosciences at Christian Albrechts University, Kiel +16570|Berichte zur Polarforschung = Reports on Polar Research|Polar research|0176-5027|Irregular| |Alfred Wegener Institute for Polar Research, Bremerhaven (1980-1985) +16572|Berichte zur Polar- und Meeresforschung = Reports on Polar and Marine Research|Polar research|1618-3193|Irregular| |Alfred Wegener Institute, Helmholtz Center for Polar and Marine Research, Bremerhaven +16573|Neue Ausgrabungen und Forschungen in Niedersachsen| | | | |August Lax Verlagsbuchhandlung, Hildesheim +16574|Beihefte zum Botanischen Centralblatt (ed.: A Pascher, Prag)| | | | |VERLAG VON C. HEINRICH, DRESDEN N. +16575|Western Pacific Earth Sciences| | | | |GEOLOGICAL SOC in TAIPEI +16576|Archiv für Fischereiwissenschaft|Fisheries| | | |Bundesforschungsanstalt für Fischerei, Hamburg +16577|Science in China Series D: Earth Science|Earth Science| | | |SPRINGER +16578|Australian Meteorological Magazine| | | | |AUSTRALIAN BUREAU METEOROLOGY +16580|Bulletin of the Academy of Sciences of the Georgian SSR|successor: Bulletin of the Georgian National Academy of Sciences| | | |GEORGIAN NATL ACAD SCIENCES +16581|Veröffentlichungen des Geobotanischen Institutes Rübel in Zürich|Geobotany| |repl. by Persp. in Plant Ecology|http://www.geobot.ethz.ch/publications/books/veroeffentlichungen|Eidgenössische Technische Hochschule Zürich +16582|Il Quaternario - Italian Journal of Quaternary Sciences| | | |http://aiqua.irtr.rm.cnr.it/page6.html|Associazione Italiana per lo Studio del Quaternario +16583|Geologisches Jahrbuch|Geoscience| | | |E. SCHWEIZERBART SCIENCE PUBLISHERS +16584|Kwartalnik Geologiczny| | | | |Instytutu Geologicznego Warszawa +16585|Zeitschrift der Deutschen Geologischen Gesellschaft|geoscience| | | |Deutsche Geologische Gesellschaft +16586|WDC-MARE Reports|Marine science|1611 - 6577|irregular|http://www.wdc-mare.org/reports/|Alfred Wegener Institute, Helmholtz Center for Polar and Marine Research, Bremerhaven +16587|Geologie en mijnbouw| | | | |SPRINGER +16588|Eclogae Geologicae Helvetiae| | | | |SPRINGER +16589|Earth System Science Data Discussion|Earth Science|1866-3591|irregular|http://www.earth-syst-sci-data-discuss.net|COPERNICUS GESELLSCHAFT MBH +16590|Earth System Science Data|Earth Science|1866-3516|irregular|http://www.earth-syst-sci-data.net|COPERNICUS GESELLSCHAFT MBH +16591|Proceedings of the Royal Irish Academy Section B-Biological, Geological, and Chemical Science|Biology, Geology, Chemical| |Annual| |ROYAL IRISH ACADEMY +16606|E&G - Eiszeitalter und Gegenwart - Quaternary Science Journal|Geology, Biology|0424-7116|irregular|http://quaternary-science.publiss.net|Deutsche Quartärvereinigung e.V. +16607|Palaeoecology of Africa & of the surrounding islands & Antarctica|Ecology|0078-8538|approx. two-year intervals| |A.A. BALKEMA, Cape Town +16608|Archive of Fishery and Marine Research|Fishery|0944-1921|Merging into the Journal of Appl| |Bundesforschungsanstalt für Fischerei, Hamburg +16609|Terra Antartica|earth science|1122-8628|irregular|http://www.mna.it/english/Publications/TAP/terranta.html|Museo Nazionale dell'Antartide 'Felice Ippolito', Sezione Scienze della Terra, Università di Siena +16611|Lundqua Thesis| |0281-3033| | |LUND UNIV +16612|Lundqua Report| |0281-3076| | |LUND UNIV +16613|Bulletin de lAssociation Française pour lÉtude du Quaternaire| |0004-5500| | |Association Française pour l'Étude du Quaternaire +16614|Fennia| | | | |Geographical Society of Finland, Helsinki +16615|Berichte des IGB| |1432-508X| | |Leibniz-Institut für Gewässerökologie und Binnenfischerei im Forschungsverbund Berlin +16617|Alpenvereinsjahrbuch| |0065-6534| | |Österreichischer Alpenverein, Deutscher Alpenverein +16618|Trasierra : boletín de la Sociedad de Estudios del Valle del Tiétar| |1137-5906| | |Sociedad de Estudios del Valle del Tietar +16619|Vierteljahrsschrift der Naturforschenden Gesellschaft| |0042-5672|quaterly| |Naturforschende Gesellschaft in Zürich +16620|Mitteilungen der Naturforschenden Gesellschaft Luzern| |1016-4960| | |Naturforschende Gesellschaft (Luzern) +16621|Geographica Polonica| |0016-7282| | |POLISH ACAD SCIENCES +16622|Bulletin of the Polish Academy of Sciences| | | |http://www.worldcat.org/title/bulletin-of-the-polish-academy-of-sciences-technical-sciences/oclc/61311303|POLSKA AKAD NAUK +16623|Berichte aus dem Fachbereich Geowissenschaften der Universität Bremen|Geoscience|0931-0800|Irregular|http://www.marum.de/Page8885.html|Department of Geosciences, Bremen University +16624|Zeitschrift für Gletscherkunde und Glazialgeologie|Claciology|0044-2836|Annual|http://imgi.uibk.ac.at/iceclim/ZfG|UNIVERSITAETSVERLAG WAGNER GMBH-UW +16625|Oulun yliopiston Oulangan biologisen aseman monisteita|Biology|0358-366X| | |University of Oulu +16626|Pala?oklimaforschung (Paleoclimate Research)|Paleoclimate| | | |Akademie der Wissenschaften und der Literatur, Mainz +16628|Probleme der Küstenforschung im südlichen Nordseegebiet|Geography, Geologie|0343-7965| | |Niedersächsisches Institut für historische Küstenforschung, Wilhelmshaven +16629|Wissenschaftliche Zeitschrift der Ernst-Moritz-Arndt-Universität Greifswald - Mathematisch-naturwissenschaftliche Reihe| |0138-2853| | |Ernst-Moritz-Arndt-Universität Greifswald +16630|Fitologija (Phytology)| | |until 1996| |Balgarska Akademija na Naukite, Institut po Botanika +16631|Palinologija Pleistocena| | | | |NAUKA +16633|Suomen Maataloustieteellisen Seuran julkaisuja (Lantbruksvetenskapliga Samfundets i Finland, meddelanden) (Abhandlungen der Agrikulturwissenschaftlichen Gesellschaft in Finnland) - Acta Agralia fennica| |0039-5595| | |Suomen Maataloustieteellinen Seura +16635|Dokumentacja Geograficzna| |0012-5032 -| | |Instytut Geografii Warszawa +16636|Botanisk institutt Rapport| | | | |Universitetet i Bergen, Botanisk institutt +16637|Revue du Gévaudan| | | | |Société des Lettres, Sciences et Arts de la Lozère +16638|Pollen et Spores| | | | |Muséum national d'Histoire naturelle +16639|Folia Geobotanica et Phytotaxonomica| |1874-9348| |http://link.springer.com/journal/12224|Institute of Botany, Academy of Sciences of the Czech Republic +16640|Vegetace CSSR|Botany| | | |Ceskoslovenská Akademie Ved +16641|Prace Komisji Prehistorii Karpat|History, Archeology| | | |Polska Akademia Umiejetnosci +16642|Berichte aus dem Sonderforschungsbereich 313, Christian-Albrechts-Universität, Kiel|Oceanography| |Irregular| |Sonderforschungsbereich 313, Christian-Albrechts-Universität, Kiel +16643|Geologische Rundschau| | | | |SPRINGER +16645|Reports Sonderforschungsbereich 95 Wechselwirkung Meer-Meeresboden|Geoscience| |irregular| |Christian-Albrechts-Universität zu Kiel +16646|BMC Research Notes|Medicine, Health, Biological Science, Biology|1756-0500|Electronic|http://www.biomedcentral.com/bmcresnotes/|BIOMED CENTRAL LTD +16647|International Journal of Oceanography|oceanography|1687-9414| |http://www.hindawi.com/journals/ijog|HINDAWI PUBLISHING CORPORATION +16648|Journal of Applied Volcanology|Geosciences|2191-5040|monthly|http://www.appliedvolc.com|SPRINGER HEIDELBERG +16650|Nature Climate Change|interdisciplinary|1758-678X| |http://www.nature.com/nclimate/about/index.html|NATURE PUBLISHING GROUP +16651|Geophysical Monograph Series|geoscience|0065-8448| |http://www.agu.org/books/gm/|American Geophysical Union, Washington +16652|Environmental Geology|Earth Sciences, Geology|1432-0495| |http://www.springerlink.com/content/r88173x371678316/about/|SPRINGER +16653|Acta hydrochimica et hydrobiologica| |1521-401X| |http://onlinelibrary.wiley.com/journal/10.1002/(ISSN)1521-401X/issues|WILEY-BLACKWELL PUBLISHING +16654|The Cryosphere Discussion|Earth Science|1994-0440|irregular|http://www.the-cryosphere-discuss.net|COPERNICUS GESELLSCHAFT MBH +16655|Veröffentlichungen des Instituts für Meeresforschung in Bremerhaven|marine research|0068-0915|irregluar, suspended|http://d-nb.info/01146691X|Institut für Meeresforschung, Bremerhaven +16659|Remote Sensing|Remote sensing technology|2072-4292|monthly| |MDPI AG +16661|Journal of Geophysical Research| |0148-0227| | |American Geophysical Union, Washington +16662|GEOMAR Report (N. Ser.)| |2193-8113| |http://www.geomar.de/institut/einrichtungen/bibliothek/publikationen-at-geomar/geomar-reports/|IFM-GEOMAR Leibniz-Institute of Marine Sciences, Kiel University +16663|ZMT Contribution, Leibniz-Zentrum für Marine Tropenökologie, Bremen|Ecology|0944-0143|irregular| |Leibniz-Zentrum für Marine Tropenökologie, Bremen +16665|Berichte aus dem MARUM und dem Fachbereich Geowissenschaften der Universität Bremen|Geoscience|2195-9633|Irregular|http://www.marum.de/Publikationen.html|MARUM - Center for Marine Environmental Sciences, Universität Bremen +16666|Proceedings of the Integrated Ocean Drilling Program|Geoscience|1930-1014|irregluar|http://www.iodp.org/scientific-publications/|Integrated Ocean Drilling Program Management International +16671|Natur und Recht| | | | |SPRINGER +16672|Transnational Environmental Law| | | | |CAMBRIDGE UNIV PRESS +16673|Geoexploration| |0016-7142|Periodical, Internet resource| |ELSEVIER SCIENCE BV +16676|Antarctic Journal of the United States| |0003-5335|Irregular| |National Science Foundation +16678|Journal of the Faculty of Science, Hokkaido University| |0441-067X| | |Faculty of Science, Hokkaido University +16679|Journal of the Geothermal Research Society of Japan| |1883-5775| | |The Geothermal Research Society of Japan; Academic Society Assistance Center +16680|Journal of Physics of the Earth| |1884-2305|Irregular| |Japan Science and Technology Agency +16682|Natural Resources Research| |1573-8981| | |SPRINGER +16683|Bulletin of the Earthquake Research Institute| |0040-8972|Irregular| |The Earthquake Research Institute, University of Tokyo +16684|Journal of the Geological Society of Australia| |1440-0952| | |Taylor & Francis Group +16686|Oceanologica Acta|Oceanography|0399-1784| |http://www.sciencedirect.com/science/journal/03991784|ELSEVIER SCIENCE SA +16687|Ethics in Science and Environmental Politics| |1611-8014|yearly|http://www.int-res.com/journals/esep/|INTER-RESEARCH +16688|Aquaculture Environment Interactions|Environmental Research|1869-7534|yearly|http://www.int-res.com/journals/aei/aei-home/|INTER-RESEARCH +16690|Deep Sea Research| | | | |ELSEVIER +16691|Deep Sea Research Part A. Oceanographic Research Papers| | | | |ELSEVIER +16693|Atmospheric Chemistry and Physics Discussions|Geosciences| |Semimonthly| |COPERNICUS GESELLSCHAFT MBH +16696|Scientific Drilling| |1816-8957| | |Integrated Ocean Drilling Program Management International +16697|METEOR-Berichte, DFG-Senatskommission für Ozeanographie| |2195-8475|Irregular|http://www.dfg-ozean.de/en/berichte/fs_meteor/|Deutsche Forschungsgemeinschaft, Bonn +16698|MARIA S. MERIAN-Berichte| |2195-8483|Irregular| |Deutsche Forschungsgemeinschaft, Bonn +16699|Berichte aus dem Zentrum für Meeres- und Klimaforschung, Reihe Z| |0947-7179| | |Zentrum für Meeres- und Klimaforschung, Universität Hamburg +16700|Berichte aus dem Zentrum für Meeres- und Klimaforschung, Reihe E| |0947-7160| | |Zentrum für Meeres- und Klimaforschung, Universität Hamburg +16701|The ISME journal|Microbial Ecology|1751-7362| | |NATURE PUBLISHING GROUP +16702|Marine Ecology|Marine & Freshwater Biology|1439-0485| | |BLACKWELL PUBLISHING +16703|Geoscientific Instrumentation, Methods and Data Systems|Geosciences|2193-0856|irregluar|http://www.geosci-instrum-method-data-syst.net|COPERNICUS GESELLSCHAFT MBH +16704|Journal of Geophysical Research-Planets| | | | |American Geophysical Union, Washington +16705|Journal of the Oceanographical Society of Japan| | | | |SPRINGER PUBLISHING CO +16706|Earth System Dynamics|Earth Science|2190-4979|irregular|http://www.earth-syst-dynam.net|COPERNICUS GESELLSCHAFT MBH +16707|The Cartographic Journal|Cartography|1743-2774| |http://maneypublishing.com/index.php/journals/caj/|MANEY PUBLISHING +16711|Journal of Cell and Life Sciences|Life Sciences| | |http://sci-edit.net/journal/index.php/jcls/index|SCI-EDIT PUBLICATIONS +16714|Estuaries| |0160-8347| | |SPRINGER +16716|Netherlands Journal of Sea Research| |0077-7579| |http://www.sciencedirect.com/science/journal/00777579|ELSEVIER +16720|PeerJ| |2167-8359|Irregular|peerj.com|PeerJ, Ltd. +16722|Earth System Monitor|Earth System Science| | |http://www.nodc.noaa.gov/outreach/esm.html|National Oceanographic Data Center, Silver Spring +16723|Energy Strategy Reviews|Energy|2211-467X| |http://www.journals.elsevier.com/energy-strategy-reviews/|ELSEVIER SCIENCE BV +16725|METEOR-Berichte, Leitstelle Meteor, Institut für Meereskunde der Universität Hamburg| |0936-8957|Irregular|http://www.dfg-ozean.de/en/berichte/fs_meteor/|Leitstelle Deutsche Forschungsschiffe, Institut für Meereskunde, Universität Hamburg +16727|Scientific Reports|Natural and clinical sciences|2045-2322| |http://www.nature.com/srep/2013/131213/srep03493/full/srep03493.html|NATURE PUBLISHING GROUP +16728|Collective Volume of Scientific Papers| | | | |International Commission for the Conservation of Atlantic Tunas +16732|Maria S. Merian-Berichte, Leitstelle Meteor/Merian, Institut für Meereskunde der Universität Hamburg| |1868-8543|Irregular| |University of Hamburg, Germany +16734|Archiv für Hydrobiologie|Limnology| | | |E. SCHWEIZERBART SCIENCE PUBLISHERS +16735|Water|water science and technology; Hydrology; Ecology and management of water resources|2073-4441|Monthly| |MDPI AG +16737|NeoBiota|alien species and biological invasions|1314-2488| |http://www.pensoft.net/journals/neobiota|PENSOFT PUBLISHERS +16738|Underwater Technology| |1756-0543| |http://www.sut.org/publications/underwater-technology/|Society for Underwater Technology +16739|Journal of Geodetic Science|Geodesy| |yearly| |VERSITA +16741|Scientific Data| |2052-4436|irregular|http://www.nature.com/sdata/|NATURE PUBLISHING GROUP diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/inputTest.json b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/inputTest.json new file mode 100644 index 0000000..51c2fbd --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/inputTest.json @@ -0,0 +1,10 @@ +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f753" }, "id" : "doajarticles::c7b9020f39376b0fb2da4406b6e0798f", "originalId" : null, "body" : "doajarticles::c7b9020f39376b0fb2da4406b6e0798foai:doaj.org/article:006ba2d18b834e8f935f0d91386993bc2014-11-07T09:25:14.96Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:006ba2d18b834e8f935f0d91386993bc2014-10-29T15:00:42ZTENDOk1lZGljaW5lHubungan Faktor Risiko, Status Instabilitas Mikrosatelit, dan Ekspresi P53 dengan Karsinogenesis Adenokarsinoma Kolorektal pada Orang Indonesia10.15395/mkb.v44n4.2160126-074X2338-6223http://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%7D2012-12-01T00:00:00Zhttp://journal.fk.unpad.ac.id/index.php/mkb/article/view/216Different 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 >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>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 >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>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. Kiki LukmanLaely YuniasariBethy S. HernowoCarcinogenesis of colorectal carcinomaexpression of P53microstallite instabilityrisk factorsarticleLCC:MedicineLCC:RENIDCC BY-NCMajalah Kedokteran Bandung, Vol 44, Iss 4, Pp 245-252 (2012)falsefalse0.9", "timestamp" : 1415352398443 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f754" }, "id" : "doajarticles::7b9f8826a5c2d0d814f0a082cff25b38", "originalId" : null, "body" : "doajarticles::7b9f8826a5c2d0d814f0a082cff25b38oai:doaj.org/article:0317d6befc194c50842c934a996597522014-11-16T09:49:58.615Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:0317d6befc194c50842c934a996597522014-11-10T19:04:02ZTENDOkhpc3RvcnkgQW1lcmljYQ~~TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~Negócios em família: imprensa, linguagem e conceitos na província oriental (1814) = Family business: press, language and concepts in oriental province (1814)2178-3748http://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%7D2013-01-01T00:00:00Zhttp://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/view/13028/10663\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.\nWinter, Murillo DiasPontifícia Universidade Católica do Rio Grande do SulAMÉRICA DO SUL - HISTÓRIARIO DA PRATA - HISTÓRIAarticleLCC:History AmericaLCC:E-FLCC:Latin America. Spanish AmericaLCC:F1201-3799Oficina do Historiador, Vol 6, Iss 2, Pp 78-90 (2013)falsefalse0.9", "timestamp" : 1416131476829 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f755" }, "id" : "doajarticles::d80e74eeb0464277194a937e4a9f8d08", "originalId" : null, "body" : "doajarticles::d80e74eeb0464277194a937e4a9f8d08oai:doaj.org/article:035752633cbf4058b526b34d00c504e22014-11-16T09:49:57.894Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:035752633cbf4058b526b34d00c504e22014-11-10T19:04:15ZTENDOkhpc3RvcnkgQW1lcmljYQ~~TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~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 Rei2178-3748http://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%7D2014-01-01T00:00:00Zhttp://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/view/13282/11540\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.\nMelo, Keila Cecília dePontifícia Universidade Católica do Rio Grande do SulMINAS GERAIS - HISTÓRIA - PERÍODO COLONIAL, 1500-1815COMÉRCIO - MINAS GERAIS - HISTÓRIAELITES - BRASILarticleLCC:History AmericaLCC:E-FLCC:Latin America. Spanish AmericaLCC:F1201-3799Oficina do Historiador, Vol 7, Iss 1, Pp 4-22 (2014)falsefalse0.9", "timestamp" : 1416131476788 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f756" }, "id" : "doajarticles::4a7e41a10b88b821ec52347d2661f62c", "originalId" : null, "body" : "doajarticles::4a7e41a10b88b821ec52347d2661f62coai:doaj.org/article:03d282ba6823426fa370fe388d17280d2014-11-07T09:25:14.961Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:03d282ba6823426fa370fe388d17280d2014-10-29T15:17:30ZTENDOk1lZGljaW5lKadar Laktat Darah sebagai Prediktor Kontaminasi Bakteri pada Hernia Inguinalis Lateralis Strangulata10.15395/mkb.v45n1.2050126-074X2338-6223http://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%7D2013-03-01T00:00:00Zhttp://journal.fk.unpad.ac.id/index.php/mkb/article/view/205Strangulated 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<0.01). In conclusion, blood lactate level can be a predictor for bacterial contamination occurrence in patient with strangulated groin hernia. Anthony PratamaHaryono YarmanBambang A. S. SulthanaBacterial contaminationblood lactate levelstrangulated groin herniaarticleLCC:MedicineLCC:RENIDCC BY-NCMajalah Kedokteran Bandung, Vol 45, Iss 1, Pp 44-49 (2013)falsefalse0.9", "timestamp" : 1415352398443 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f757" }, "id" : "doajarticles::fa2f0a8e42109575566a2d529ec6c590", "originalId" : null, "body" : "doajarticles::fa2f0a8e42109575566a2d529ec6c590oai:doaj.org/article:070ea377bc8c44d28e04e06945a357d72014-11-07T09:25:14.588Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:070ea377bc8c44d28e04e06945a357d72014-10-29T16:49:13ZTENDOkNvbXB1dGVyIGVuZ2luZWVyaW5nLiBDb21wdXRlciBoYXJkd2FyZQ~~TDCCREC: AN EFFICIENT AND SCALABLE WEB-BASED RECOMMENDATION SYSTEM0976-65612229-6956http://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%7D2010-10-01T00:00:00Zhttp://ictactjournals.in/paper/ijsc2_page_70_77.pdfWeb 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.K.LathaP.RamyaV.SitaR.RajaramRecommendationContentCollaborative FilteringLearning AutomataNavigationarticleLCC:Computer engineering. Computer hardwareLCC:TK7885-7895ENCC BY-NC-SAICTACT Journal on Soft Computing, Vol 1, Iss 2, Pp 70-77 (2010)falsefalse0.9", "timestamp" : 1415352398423 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f758" }, "id" : "doajarticles::8a5eadce7528bb750ee6591b040b41af", "originalId" : null, "body" : "doajarticles::8a5eadce7528bb750ee6591b040b41afoai:doaj.org/article:08ddf58df5464cf48970dfb2d6661b052014-11-16T09:50:01.554Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:08ddf58df5464cf48970dfb2d6661b052014-11-10T19:03:28ZTENDOkhpc3RvcnkgQW1lcmljYQ~~TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~História e literatura: as vozes de uma geração nos contos de Caio Fernando Abreu2178-3748http://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%7D2011-01-01T00:00:00Zhttp://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/viewFile/8926/6472\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.\nAzevedo, Guilherme Zubaran dePontifícia Universidade Católica do Rio Grande do SulABREU, CAIO FERNANDO - CRÍTICA E INTERPRETAÇÃOLITERATURA RIO-GRANDENSE - HISTÓRIA E CRÍTICACONTOS RIO-GRANDENSES - HISTÓRIA E CRÍTICAPEDRA DE CALCUTÁ - CRÍTICA E INTERPRETAÇÃO<<O>> OVO APUNHALADO - CRÍTICA E INTERPRETAÇÃOJUVENTUDE - ASPECTOS SOCIAISarticleLCC:History AmericaLCC:E-FLCC:Latin America. Spanish AmericaLCC:F1201-3799Oficina do Historiador, Vol 3, Iss 2, Pp 126-140 (2011)falsefalse0.9", "timestamp" : 1416131478990 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f759" }, "id" : "doajarticles::67e2d07b21b630f07b9b2cb24d801a7e", "originalId" : null, "body" : "doajarticles::67e2d07b21b630f07b9b2cb24d801a7eoai:doaj.org/article:13e7e1e4b62c4d52b81ef586a996ca392014-11-07T09:25:14.962Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:13e7e1e4b62c4d52b81ef586a996ca392014-10-29T15:20:50ZTENDOk1lZGljaW5lPenurunan Tekanan Intraokular Pascabedah Katarak pada Kelompok Sudut Bilik Mata Depan Tertutup dan Terbuka10.15395/mkb.v45n1.2040126-074X2338-6223http://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%7D2013-03-01T00:00:00Zhttp://journal.fk.unpad.ac.id/index.php/mkb/article/view/204Increased 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.Rakhma Indria HapsariAndika PrahastaSutarya EnusAnterior chamber anglegonioscopyintraocular pressurephacoemulsification surgerysenile cataractarticleLCC:MedicineLCC:RENIDCC BY-NCMajalah Kedokteran Bandung, Vol 45, Iss 1, Pp 56-61 (2013)falsefalse0.9", "timestamp" : 1415352398444 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f75a" }, "id" : "doajarticles::0f7b9241790570314139c3e2dc5b06ce", "originalId" : null, "body" : "doajarticles::0f7b9241790570314139c3e2dc5b06ceoai:doaj.org/article:153cd7d31171413490f49500378cc50f2014-11-07T09:25:14.962Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:153cd7d31171413490f49500378cc50f2014-10-29T15:14:43ZTENDOk1lZGljaW5lHubungan antara Gejala Gangguan Depresi dan Tension-Type Headache (TTH): Studi Eksploratif10.15395/mkb.v45n1.920126-074X2338-6223http://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%7D2013-03-01T00:00:00Zhttp://journal.fk.unpad.ac.id/index.php/mkb/article/view/92The 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.Cecilia J. Setiawan Henny Anggraini SadeliTuti Wahmurti A. SapiieDepressive disorderdepressive disorder symptomstension-type headachearticleLCC:MedicineLCC:RENIDCC BY-NCMajalah Kedokteran Bandung, Vol 45, Iss 1, Pp 28-34 (2013)falsefalse0.9", "timestamp" : 1415352398444 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f75b" }, "id" : "doajarticles::b480efd4102ac5d8f46e7ac11c1918f0", "originalId" : null, "body" : "doajarticles::b480efd4102ac5d8f46e7ac11c1918f0oai:doaj.org/article:16d82eeb5cbd4dd5a405c445853553442014-11-07T09:25:14.962Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:16d82eeb5cbd4dd5a405c445853553442014-10-29T14:52:58ZTENDOk1lZGljaW5lHubungan Kadar Seng Plasma dengan Derajat Penyakit Pneumonia10.15395/mkb.v44n4.1770126-074X2338-6223http://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%7D2012-12-01T00:00:00Zhttp://journal.fk.unpad.ac.id/index.php/mkb/article/view/177Pneumonia 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.Paramita Diah WinarniDedi RachmadiNanan SekarwanaPneumoniaplasma zincimmune systemarticleLCC:MedicineLCC:RENIDCC BY-NCMajalah Kedokteran Bandung, Vol 44, Iss 4, Pp 213-217 (2012)falsefalse0.9", "timestamp" : 1415352398444 } +{ "_id" : { "$oid" : "54511ba803aafdc58cf9f75c" }, "id" : "doajarticles::331cdcc71cf0d019f56aad2beb23de9b", "originalId" : null, "body" : "doajarticles::331cdcc71cf0d019f56aad2beb23de9boai:doaj.org/article:18f53ab64edb459dbbb48df1998fa11f2014-11-16T09:50:01.932Zfdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=doajarticlesoai:doaj.org/article:18f53ab64edb459dbbb48df1998fa11f2014-11-10T19:03:24ZTENDOkhpc3RvcnkgQW1lcmljYQ~~TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~Memória e história oral entre os imigrantes alemães no Sul do Brasil: o caso da família Schmitt2178-3748http://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%7D2010-01-01T00:00:00Zhttp://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/viewFile/7752/5771\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.\nTrespach, RodrigoPontifícia Universidade Católica do Rio Grande do SulIMIGRAÇÃO ALEMÃ - RIO GRANDE DO SULRIO GRANDE DO SUL - HISTÓRIAarticleLCC:History AmericaLCC:E-FLCC:Latin America. Spanish AmericaLCC:F1201-3799Oficina do Historiador, Vol 2, Iss 1, Pp 66-77 (2010)falsefalse0.9", "timestamp" : 1416131479012 } diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/oaisets/applicationContext-OaiSetsCollectorPluginTest.xml b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/oaisets/applicationContext-OaiSetsCollectorPluginTest.xml new file mode 100644 index 0000000..36863ac --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/oaisets/applicationContext-OaiSetsCollectorPluginTest.xml @@ -0,0 +1,27 @@ + + + + + + + + + + \ No newline at end of file diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/opendoar.xml.gz b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/opendoar.xml.gz new file mode 100644 index 0000000..f783b69 Binary files /dev/null and b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/opendoar.xml.gz differ diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/projects/gtr2/projects.xml b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/projects/gtr2/projects.xml new file mode 100644 index 0000000..82239ca --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/projects/gtr2/projects.xml @@ -0,0 +1,288 @@ + + + + + + + + + + + BB/E021409/1 + + A multicellular 3D stem cell model to define the role of stroma in epithelial + differentiation + Closed + Research Grant + Biology + In aging men the disorders of prostate are a major medical problem. + Benign prostatic hyperplasia and cancer are increasingly prevalent. To find cures for + these diseases it is essential to understand how the prostate grows and functions + normally. All organs have their own population of stem cells which grow and develop into + a variety of cells which communicate to form correct organ architecture and function. + This occurs as a result of signals from the stem cell's own genes but also from signals + provided by neighbouring cells, known as stroma. In the prostate, how this occurs is + unknown. We propose to develop a model to grow gland-like structures from adult stem + cells in the laboratory. The model will be employed to understand how stromal cells + influence prostate cellular architecture. We aim to identify proteins which act as + signals from the stroma to change epithelial shape. The shape of a cell has important + effects on cell function. These experiments will increase our knowledge of how tissues + develop and function. Development of tissue-like models based on human cells will + provide a valuable gap between results from animal models and human clinical studies, to + help understand the basic mechanisms of human physiology and disease. Such model systems + will reduce the need for animal experimentation, which is currently the best way to + investigate complex cell interactions in tissues. We anticipate the model will aid + university directed research into human differentiation and disease mechanisms, but also + for the pharmaceutical industry to screen new drugs for efficacy and safety in humans + before trial. + Recent advances in our lab have resulted in the isolation of human + adult prostate stem cells and the development of 3D models of prostatic acini from basal + cells. Results from 3D modelling indicate that stroma is important for epithelial + morphogenesis and differentiation. Importantly, stromal cultures increase epithelial + cell polarity and columnar cell shape. Using electron microscopy and RT-PCR our + preliminary data has found that these morphological effects are accompanied by increased + desmosomal expression. We now wish to develop our tissue engineering to produce a 3D + model of prostatic acini using a homogeneous population of stem cells. A stem cell model + will allow the study of full epithelial differentiation and the stem cell niche. It is + important to model the prostate with human cells because the mouse prostate has a + different anatomy, cell structure and protein function, and does not develop equivalent + diseases to humans. The model will be used to investigate our hypothesis that 'stroma + signals to control epithelial cell shape and polarity'. We will confirm which desmosomal + isoforms are present in prostate epithelial acini and which are upregulated by stromal + cultures, using Western Blotting and real time PCR. Upregulated desmosomal isoforms will + be used as markers for epithelial cell polarity and shape. A differential gene + expression profile will be generated from stroma grown with epithelial acini in 3D + culture and stroma grown in 3D culture without acini, using microarray analysis. + Candidate stromal genes will be identified that signal to upregulate epithelial polarity + (desmosomal expression) and their function will be confirmed using siRNA knockdown + studies. This is a novel pathway for epithelial cell differentiation which has not been + studied before. + + + + + + + + + + + + + + + + + + + + + + + + + NE/K001906/1 + + Biogeochemistry, macronutrient and carbon cycling in the benthic layer + Active + Research Grant + School of Ocean and Earth + Science + The coasts and shelf seas that surround us have been the focal point of + human prosperity and well-being throughout our history and, consequently, have had a + disproportionate effect on our culture. The societal importance of the shelf seas + extends beyond food production to include biodiversity, carbon cycling and storage, + waste disposal, nutrient cycling, recreation and renewable energy. Yet, as increasing + proportions of the global population move closer to the coast, our seas have become + progressively eroded by human activities, including overfishing, pollution, habitat + disturbance and climate change. This is worrying because the condition of the seabed, + biodiversity and human society are inextricably linked. Hence, there is an urgent need + to understand the relative sensitivities of a range of shelf habitats so that human + pressures can be managed more effectively to ensure the long-term sustainability of our + seas and provision of societal benefits. Achieving these aims is not straightforward, as + the capacity of the seabed to provide the goods and services we rely upon depends on the + type of substrate (rock, gravel, sand, mud) and local conditions; some habitats are + naturally dynamic and relatively insensitive to disturbance, while others are + comparatively stable and vulnerable to change. This makes it very difficult to assess + habitat sensitivities or make general statements about what benefits we can expect from + our seas in the future. Recently, NERC and DEFRA have initiated a major new research + programme on Shelf Sea Biogeochemistry that will improve knowledge about these issues. + In response to this call, we have assembled a consortium of leading scientists that + includes microbiologists, ecologists, physical oceanographers, biogeochemists, + mathematical modellers and policy advisors. With assistance from organisations like + CEFAS, Marine Scotland and AFBI, they will carry out a series of research cruises around + the UK that will map the sensitivity and status of seabed habitats based on their + physical condition, the microbial and faunal communities that inhabit them, and the size + and dynamics of the nitrogen and carbon pools found there. The latest marine + technologies will measure the amount of mixing and flow rates just above the seabed, as + well as detailed seabed topography. These measurements will allow better understanding + of the physical processes responsible for movement and mixing of sediment, nutrient, and + carbon. At the same time, cores will be retrieved containing the microbial and faunal + communities and their activity and behaviour will be linked to specific biogeochemical + responses. Highly specialised autonomous vehicles, called landers, will also measure + nutrient concentrations and fluxes at the seabed. Components of the system can then be + experimentally manipulated to mimic scenarios of change, such as changing hydrodynamics, + disturbance or components of climate change. This will be achieved in the field by + generating different flow regimes using a submerged flume or, in the laboratory, using + intact sediment communities exposed to different levels of CO2, temperature and oxygen. + By measuring the biogeochemical response and behaviour of the microbial and faunal + communities to these changes, we will generate an understanding of what may happen if + such changes did occur across our shelf seas. We will use all of this information to + assess the relative vulnerability of areas of the UK seabed by overlaying the + observation and experimental results over maps of various human pressures, which will be + of value to planners and policymakers. Mathematical models will test future scenarios of + change, such as opening or closing vulnerable areas to fishing or anticipated changes in + the factors that control nutrient and carbon stocks. This will be valuable in exploring + different responses to external pressures and for deciding which management measures + should be put in place to preserve our shelf seas for future generations + Commercial private sector and the knowledge economy: new and + innovative methodologies, equipment and techniques, and combined state-of-the-art + technologies (>2.3 million in-kind, see JeS) will assess what the primary physical + and biogeochemical controls of shelf productivity are up to shelf sea scales. Since many + interests rely on the marine environment, beneficiaries will be varied. By sharing + expertise and knowledge, a world-leading manufacturer of microsensors and microscale + instrumentation and an internationally recognized marine environmental data acquisition + company will benefit from exploitable opportunities, e.g. new visualisation tools that + enable holistic understanding of large-scale ecosystem processes. Policy professionals, + governmental and devolved governmental organisations: The importance of shelf seas to + society extends beyond fisheries to wider issues, such as biodiversity, carbon cycling + and storage, waste disposal, nutrient cycling, and renewable energy resources. + Consortium expertise will contribute to these UK priority challenges. The UK Marine + & Coastal Access Act (MCAA), UK Climate Change Act, EU Habitats Directive and EU + Marine Strategy Framework Directive (MSFD) support sustainable use of the marine + environment. They also support the UK vision for achieving 'clean, healthy, safe + productive and biologically diverse ocean and seas' (UK Marine Science Strategy). We + will provide a coherent framework for sound evidence based-science in support of these + policy instruments and statutory requirements. For example, the MSFD aims to achieve + Good Environmental Status in EU marine waters by 2020, but we lack understanding of the + magnitude and synchronicity of change in SSEs. Our research will directly inform + Descriptor 1 (biological diversity) and 6 (seabed integrity) for a wide range of + sediment habitats over time, which is important because the determination of good + environmental status may have to be adapted over time (addressed in Task 2) "in vie + of the dynamic nature of marine ecosystems and their natural variability, and given that + the pressures and impacts on them may vary with the evolvement of different patterns of + human activity and the impact of climate change" (MSFD). Our work will also inform + environmental monitoring programmes: OSPARs Joint Assessment and Monitoring programme, + the Eutrophication Monitoring Programme and The Clean Seas Environment Monitoring + Programme (CSEMP, led by consortium member CEFAS). Task 1-3 complement the outcomes of + CESEMP and provide scientific evidence to OSPAR. Similarly, experimental scenarios and + modelling approaches will provide needed information for (i) the EU Water Framework + Directive (the requirement for 'good chemical and ecological status' by 2015 does not + account for climate change) and, (ii) the UK White Paper for MCAA (it is unclear how + commitments to "look ahead at the predicted impacts of climate change on the marine + environment, how marine activities will contribute towards it, and how they are affected + by it" will be achieved). Finally, other EU instruments, such as the Habitats + Directive (introduced in 1992), the EU Common Fisheries Policy (revised in 2002) and + national legislation such as the UK MCAA and Scottish Marine Act, assume that removal + (or control) of direct pressures will result in ecosystem recovery and/or species + persistence. Our programme includes experimental scenarios and modelling approaches to + provide further information on the vulnerability of SSEs in environmental futures under + multiple pressures (Task 3). Our outputs will also help NERC meet its science theme + challenges. Public, wider community: active engagement with a variety of organisations + is detailed in Pathways to Impact (PtI). Skills& training: In addition to academic + progression, early career researchers will gain experience and receive mentoring in + running a large interdisciplinary programme, as well as training in communication skills + and scientific methodology + + + + + 138395 + Marine environments + 75 + + + 46902 + Geosciences + 15 + + + 13097 + Ecol, biodivers.& systematics + 5 + + + 33851 + Microbial sciences + 5 + + + + + 21005 + Sediment/Sedimentary Processes + 15 + + + 143045 + Ecosystem Scale Processes + 15 + + + 63200 + Biogeochemical Cycles + 60 + + + 108367 + Community Ecology + 5 + + + 80410 + Responses to environment + 5 + + + + \ No newline at end of file diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/index.html b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/index.html new file mode 100644 index 0000000..04caf35 --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/index.html @@ -0,0 +1,31 @@ + + + + + + + +this is the body of the page + + diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/sitemap.xml b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/sitemap.xml new file mode 100644 index 0000000..634ea84 --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/sitemap.xml @@ -0,0 +1,5 @@ + + + file:target/test-classes/eu/dnetlib/data/collector/plugins/schemaorg/sitemap_file.xml + + diff --git a/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/sitemap_file.xml b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/sitemap_file.xml new file mode 100644 index 0000000..3fb7c5d --- /dev/null +++ b/dnet-data-services/src/test/resources/eu/dnetlib/data/collector/plugins/schemaorg/sitemap_file.xml @@ -0,0 +1 @@ +file:target/test-classes/eu/dnetlib/data/collector/plugins/schemaorg/index.html \ No newline at end of file diff --git a/pom.xml b/pom.xml index c2f98c8..4bdc6dd 100644 --- a/pom.xml +++ b/pom.xml @@ -113,6 +113,11 @@ xmltool 3.3 + + org.jsoup + jsoup + 1.11.2 + dom4j dom4j @@ -140,7 +145,11 @@ - + + com.jcraft + jsch + 0.1.53 + jgrapht jgrapht @@ -161,6 +170,21 @@ gson ${google.gson.version} + + org.json + json + 20160810 + + + org.apache.poi + poi + 3.16 + + + org.apache.poi + poi-ooxml + 3.16 + log4j @@ -305,6 +329,21 @@ commons-beanutils 1.8.0 + + org.apache.commons + commons-compress + 1.6 + + + commons-net + commons-net + 3.3 + + + org.apache.commons + commons-csv + 1.4 +