aboutsummaryrefslogtreecommitdiffstats
diff options
context:
space:
mode:
authorBryan Newbold <bnewbold@archive.org>2021-10-25 15:46:33 -0700
committerBryan Newbold <bnewbold@archive.org>2021-10-25 15:46:38 -0700
commitbaa6356b80b1a826eca77f74cc487d947d2fafd4 (patch)
tree85032c05af7561f2147358e12b8bf2f11136c2d6
parent09668907c81492774986e11f0acd9b06090dfbe0 (diff)
downloadgrobid_tei_xml-baa6356b80b1a826eca77f74cc487d947d2fafd4.tar.gz
grobid_tei_xml-baa6356b80b1a826eca77f74cc487d947d2fafd4.zip
schema expansion; grobid v0.7.x examples and test coverage
-rwxr-xr-xgrobid_tei_xml/parse.py189
-rw-r--r--grobid_tei_xml/types.py95
-rw-r--r--tests/files/citation_note.xml40
-rw-r--r--tests/files/example_grobid_plos.tei.xml3080
-rw-r--r--tests/files/small.xml2
-rw-r--r--tests/test_csl.py3
-rw-r--r--tests/test_parse.py43
7 files changed, 3337 insertions, 115 deletions
diff --git a/grobid_tei_xml/parse.py b/grobid_tei_xml/parse.py
index 1d7eec7..da7ed97 100755
--- a/grobid_tei_xml/parse.py
+++ b/grobid_tei_xml/parse.py
@@ -25,63 +25,60 @@ def _string_to_tree(content: AnyStr) -> ET.ElementTree:
raise TypeError(f"expected XML as string or bytes, got: {type(content)}")
-def _parse_authors(elem: Optional[ET.Element], ns: str = ns) -> List[GrobidAuthor]:
+def _parse_author(elem: Optional[ET.Element], ns: str = ns) -> Optional[GrobidAuthor]:
"""
Internal helper to parse one or more TEI 'author' XML tags into
GrobidAuthor objects. 'author' could appear in document headers or
citations.
"""
- if not elem:
- return []
- authors = []
- for author_tag in elem.findall(f".//{{{ns}}}author"):
- persname_tag = author_tag.find(f"./{{{ns}}}persName")
- if persname_tag is None:
- # should we do something else here? it is possible to have author
- # without persName?
- continue
-
- # basic author name stuff
- given_name = persname_tag.findtext(f"./{{{ns}}}forename") or None
- surname = persname_tag.findtext(f"./{{{ns}}}surname") or None
- # instead create full_name from all the sub-components of the tag
- full_name = " ".join([t.strip() for t in persname_tag.itertext() if t.strip()]).strip()
- ga = GrobidAuthor(
- full_name=full_name or None,
- given_name=given_name,
- surname=surname,
- )
-
- # author affiliation
- affiliation_tag = author_tag.find(f"./{{{ns}}}affiliation")
- if affiliation_tag is not None:
- affiliation_dict: Dict[str, Any] = dict()
- for orgname_tag in affiliation_tag.findall(f"./{{{ns}}}orgName"):
- orgname_type = orgname_tag.get("type")
- if orgname_type:
- affiliation_dict[orgname_type] = orgname_tag.text or None
- if affiliation_dict:
- ga.affiliation = GrobidAffiliation(
- institution=affiliation_dict.get('institution'),
- department=affiliation_dict.get('department'),
- laboratory=affiliation_dict.get('laboratory'),
- )
- address_tag = affiliation_tag.find(f"./{{{ns}}}address")
- if address_tag is not None:
- address_dict = dict()
- for t in list(address_tag):
- address_dict[t.tag.split("}")[-1]] = t.text or None
- if address_dict:
- ga.affiliation.address = GrobidAddress(
- addr_line=address_dict.get('addrLine'),
- post_code=address_dict.get('postCode'),
- settlement=address_dict.get('settlement'),
- country=address_dict.get('country'),
- )
- authors.append(ga)
-
- return authors
+ if elem is None:
+ return None
+ persname_tag = elem.find(f"./{{{ns}}}persName")
+ if persname_tag is None:
+ # should we do something else here? it is possible to have author
+ # without persName?
+ return None
+
+ # basic author name stuff
+ # instead create full_name from all the sub-components of the tag
+ full_name = " ".join([t.strip() for t in persname_tag.itertext() if t.strip()]).strip()
+ ga = GrobidAuthor(
+ full_name=full_name or None,
+ given_name=persname_tag.findtext(f'./{{{ns}}}forename[@type="first"]'),
+ middle_name=persname_tag.findtext(f'./{{{ns}}}forename[@type="middle"]'),
+ surname=persname_tag.findtext(f"./{{{ns}}}surname"),
+ email=persname_tag.findtext(f"./{{{ns}}}email"),
+ orcid=elem.findtext(f'.//{{{ns}}}idno[@type="ORCID"]'),
+ )
+
+ # author affiliation
+ affiliation_tag = elem.find(f"./{{{ns}}}affiliation")
+ if affiliation_tag is not None:
+ affiliation_dict: Dict[str, Any] = dict()
+ for orgname_tag in affiliation_tag.findall(f"./{{{ns}}}orgName"):
+ orgname_type = orgname_tag.get("type")
+ if orgname_type:
+ affiliation_dict[orgname_type] = orgname_tag.text or None
+ if affiliation_dict:
+ ga.affiliation = GrobidAffiliation(
+ institution=affiliation_dict.get('institution'),
+ department=affiliation_dict.get('department'),
+ laboratory=affiliation_dict.get('laboratory'),
+ )
+ address_tag = affiliation_tag.find(f"./{{{ns}}}address")
+ if address_tag is not None:
+ address_dict = dict()
+ for t in list(address_tag):
+ address_dict[t.tag.split("}")[-1]] = t.text or None
+ if address_dict:
+ ga.affiliation.address = GrobidAddress(
+ addr_line=address_dict.get('addrLine'),
+ post_code=address_dict.get('postCode'),
+ settlement=address_dict.get('settlement'),
+ country=address_dict.get('country'),
+ )
+ return ga
def _clean_url(url: Optional[str]) -> Optional[str]:
@@ -134,45 +131,75 @@ def _parse_biblio(elem: ET.Element, ns: str = ns) -> GrobidBiblio:
Could be document header or a citation.
"""
+ authors = []
+ for ela in elem.findall(f".//{{{ns}}}author"):
+ a = _parse_author(ela, ns=ns)
+ if a is not None:
+ authors.append(a)
+
+ editors = []
+ editor_tags = elem.findall(f'.//{{{ns}}}editor')
+ if not editor_tags:
+ editor_tags = elem.findall(f'.//{{{ns}}}contributor[@role="editor"]')
+ for elt in editor_tags or []:
+ e = _parse_author(elt, ns=ns)
+ if e is not None:
+ editors.append(e)
+
biblio = GrobidBiblio(
- authors=_parse_authors(elem, ns=ns),
- id=elem.attrib.get("{http://www.w3.org/XML/1998/namespace}id") or None,
- unstructured=elem.findtext(f'.//{{{ns}}}note[@type="raw_reference"]') or None,
+ authors=authors,
+ editors=editors or None,
+ id=elem.attrib.get("{http://www.w3.org/XML/1998/namespace}id"),
+ unstructured=elem.findtext(f'.//{{{ns}}}note[@type="raw_reference"]'),
# date below
- title=elem.findtext(f".//{{{ns}}}analytic/{{{ns}}}title") or None,
- journal=elem.findtext(f".//{{{ns}}}monogr/{{{ns}}}title") or None,
- journal_abbrev=None, # XXX
- publisher=elem.findtext(f".//{{{ns}}}publicationStmt/{{{ns}}}publisher") or None,
- volume=elem.findtext(f'.//{{{ns}}}biblScope[@unit="volume"]') or None,
- issue=elem.findtext(f'.//{{{ns}}}biblScope[@unit="issue"]') or None,
+ # titles: @level=a for article, @level=m for manuscrupt (book)
+ title=elem.findtext(f'.//{{{ns}}}title[@type="main"]'),
+ journal=elem.findtext(f'.//{{{ns}}}title[@level="j"]'),
+ journal_abbrev=elem.findtext(f'.//{{{ns}}}title[@level="j"][@type="abbrev"]'),
+ series_title=elem.findtext(f'.//{{{ns}}}title[@level="s"]'),
+ publisher=elem.findtext(f".//{{{ns}}}publicationStmt/{{{ns}}}publisher"),
+ institution=elem.findtext(f".//{{{ns}}}respStmt/{{{ns}}}orgName"),
+ volume=elem.findtext(f'.//{{{ns}}}biblScope[@unit="volume"]'),
+ issue=elem.findtext(f'.//{{{ns}}}biblScope[@unit="issue"]'),
# pages below
- # XXX: note
- doi=elem.findtext(f'.//{{{ns}}}idno[@type="DOI"]') or None,
- pmid=elem.findtext(f'.//{{{ns}}}idno[@type="PMID"]') or None,
- pmcid=elem.findtext(f'.//{{{ns}}}idno[@type="PMCID"]') or None,
- arxiv_id=elem.findtext(f'.//{{{ns}}}idno[@type="arXiv"]') or None,
- issn=elem.findtext(f'.//{{{ns}}}idno[@type="ISSN"]') or None,
- eissn=elem.findtext(f'.//{{{ns}}}idno[@type="eISSN"]') or None,
+ doi=elem.findtext(f'.//{{{ns}}}idno[@type="DOI"]'),
+ pmid=elem.findtext(f'.//{{{ns}}}idno[@type="PMID"]'),
+ pmcid=elem.findtext(f'.//{{{ns}}}idno[@type="PMCID"]'),
+ arxiv_id=elem.findtext(f'.//{{{ns}}}idno[@type="arXiv"]'),
+ pii=elem.findtext(f'.//{{{ns}}}idno[@type="PII"]'),
+ ark=elem.findtext(f'.//{{{ns}}}idno[@type="ark"]'),
+ istex_id=elem.findtext(f'.//{{{ns}}}idno[@type="istexId"]'),
+ issn=elem.findtext(f'.//{{{ns}}}idno[@type="ISSN"]'),
+ eissn=elem.findtext(f'.//{{{ns}}}idno[@type="eISSN"]'),
)
+ book_title_tag = elem.find(f'.//{{{ns}}}title[@level="m"]')
+ if book_title_tag is not None and book_title_tag.attrib.get('type') is None:
+ biblio.book_title = book_title_tag.text
+ if biblio.book_title and not biblio.title:
+ biblio.title = biblio.book_title
+
+ note_tag = elem.find(f'.//{{{ns}}}note')
+ if note_tag is not None and note_tag.attrib.get('type') is None:
+ biblio.note = note_tag.text
+
if not biblio.publisher:
- biblio.publisher = elem.findtext(f".//{{{ns}}}imprint/{{{ns}}}publisher") or None
+ biblio.publisher = elem.findtext(f".//{{{ns}}}imprint/{{{ns}}}publisher")
date_tag = elem.find(f'.//{{{ns}}}date[@type="published"]')
if date_tag is not None:
biblio.date = date_tag.attrib.get("when") or None
- # title stuff is messy in references...
- if biblio.journal and not biblio.title:
- biblio.title = biblio.journal
- biblio.journal = None
-
if biblio.arxiv_id and biblio.arxiv_id.startswith("arXiv:"):
biblio.arxiv_id = biblio.arxiv_id[6:]
el = elem.find(f'.//{{{ns}}}biblScope[@unit="page"]')
if el is not None:
+ if el.attrib.get("from"):
+ biblio.first_page = el.attrib["from"]
+ if el.attrib.get("to"):
+ biblio.last_page = el.attrib["to"]
if el.attrib.get("from") and el.attrib.get("to"):
biblio.pages = "{}-{}".format(el.attrib["from"], el.attrib["to"])
else:
@@ -205,7 +232,7 @@ def parse_document_xml(xml_text: AnyStr) -> GrobidDocument:
grobid_version=application_tag.attrib["version"].strip(),
grobid_timestamp=application_tag.attrib["when"].strip(),
header=_parse_biblio(header),
- pdf_md5=header.findtext(f'.//{{{ns}}}idno[@type="MD5"]') or None,
+ pdf_md5=header.findtext(f'.//{{{ns}}}idno[@type="MD5"]'),
)
refs = []
@@ -217,17 +244,23 @@ def parse_document_xml(xml_text: AnyStr) -> GrobidDocument:
text = tei.find(f".//{{{ns}}}text")
# print(text.attrib)
+
if text and text.attrib.get(f"{{{xml_ns}}}lang"):
+ # this is the 'body' language
doc.language_code = text.attrib[f"{{{xml_ns}}}lang"] # xml:lang
el = tei.find(f".//{{{ns}}}profileDesc/{{{ns}}}abstract")
- doc.abstract = (el or None) and " ".join(el.itertext()).strip()
+ if el is not None:
+ doc.abstract = " ".join(el.itertext()).strip() or None
el = tei.find(f".//{{{ns}}}text/{{{ns}}}body")
- doc.body = (el or None) and " ".join(el.itertext()).strip()
+ if el is not None:
+ doc.body = " ".join(el.itertext()).strip() or None
el = tei.find(f'.//{{{ns}}}back/{{{ns}}}div[@type="acknowledgement"]')
- doc.acknowledgement = (el or None) and " ".join(el.itertext()).strip()
+ if el is not None:
+ doc.acknowledgement = " ".join(el.itertext()).strip() or None
el = tei.find(f'.//{{{ns}}}back/{{{ns}}}div[@type="annex"]')
- doc.annex = (el or None) and " ".join(el.itertext()).strip()
+ if el is not None:
+ doc.annex = " ".join(el.itertext()).strip() or None
return doc
diff --git a/grobid_tei_xml/types.py b/grobid_tei_xml/types.py
index 8356c8e..252e677 100644
--- a/grobid_tei_xml/types.py
+++ b/grobid_tei_xml/types.py
@@ -8,7 +8,6 @@ class GrobidAddress:
post_code: Optional[str] = None
settlement: Optional[str] = None
country: Optional[str] = None
- country_code: Optional[str] = None # XXX
@dataclass
@@ -23,17 +22,16 @@ class GrobidAffiliation:
class GrobidAuthor:
full_name: Optional[str]
given_name: Optional[str] = None
- middle: Optional[str] = None # XXX
+ middle_name: Optional[str] = None
surname: Optional[str] = None
- suffix: Optional[str] = None # XXX
email: Optional[str] = None # XXX
+ orcid: Optional[str] = None # XXX
affiliation: Optional[GrobidAffiliation] = None
def to_csl_dict(self) -> dict:
d = dict(
- given=self.given_name,
+ given=self.given_name or self.middle_name,
family=self.surname,
- suffix=self.suffix,
)
return _simplify_dict(d)
@@ -79,28 +77,64 @@ class GrobidBiblio:
date: Optional[str] = None
title: Optional[str] = None
- journal: Optional[str] = None # XXX: venue? other?
+ book_title: Optional[str] = None
+ series_title: Optional[str] = None
+ editors: Optional[List[GrobidAuthor]] = None
+ journal: Optional[str] = None
journal_abbrev: Optional[str] = None
publisher: Optional[str] = None
+ institution: Optional[str] = None
issn: Optional[str] = None
eissn: Optional[str] = None
volume: Optional[str] = None
issue: Optional[str] = None
pages: Optional[str] = None
- first_page: Optional[str] = None # XXX
- last_page: Optional[str] = None # XXX
+ first_page: Optional[str] = None
+ last_page: Optional[str] = None
note: Optional[str] = None
doi: Optional[str] = None
pmid: Optional[str] = None
pmcid: Optional[str] = None
arxiv_id: Optional[str] = None
+ pii: Optional[str] = None
+ ark: Optional[str] = None
+ istex_id: Optional[str] = None
url: Optional[str] = None
- oa_url: Optional[str] = None
def to_dict(self) -> dict:
return _simplify_dict(asdict(self))
+ def to_legacy_dict(self) -> dict:
+ """
+ Returns a dict in the old "grobid2json" format.
+ """
+ d = self.to_dict()
+
+ # new keys
+ d.pop('first_page', None)
+ d.pop('last_page', None)
+ d.pop('note', None)
+
+ # legacy book title behavior
+ if not d.get('journal') and d.get('book_title'):
+ d['journal'] = d.pop('book_title')
+ else:
+ d.pop('book_title', None)
+
+ # author changes
+ for a in d['authors']:
+ a['name'] = a.pop('full_name', None)
+ if not a.get('given_name'):
+ a['given_name'] = a.pop('middle_name', None)
+ else:
+ a.pop('middle_name', None)
+ addr = a.get('affiliation', {}).get('address')
+ if addr and addr.get('post_code'):
+ addr['postCode'] = addr.pop('post_code')
+
+ return _simplify_dict(d)
+
def to_csl_dict(self, default_type: str = "article-journal") -> dict:
"""
Transforms in to Citation Style Language (CSL) JSON schema, as a dict
@@ -119,11 +153,14 @@ class GrobidBiblio:
PMCID=self.pmcid,
ISSN=self.issn,
note=self.note,
- # fields with '-' in the key name
- **{
- "container-title": self.journal,
- "page-first": self.first_page,
- })
+ )
+ # fields with '-' in the key name
+ csl.update({
+ "container-title": self.journal,
+ "book-title": self.book_title,
+ "series-title": self.series_title,
+ "page-first": self.first_page,
+ })
# numeric fields
if self.issue and self.issue.isdigit():
@@ -164,32 +201,24 @@ class GrobidDocument:
Returns a dict in the old "grobid2json" format.
"""
d = self.to_dict()
+ d.pop('header', None)
+ d.update(self.header.to_legacy_dict())
+ if self.citations:
+ d['citations'] = [c.to_legacy_dict() for c in self.citations]
# all header fields at top-level
- header = d.pop('header', {})
d['journal'] = dict(
- name=header.pop('journal', None),
- abbrev=header.pop('journal_abbrev', None),
- publisher=header.pop('publisher', None),
- issn=header.pop('issn', None),
- issne=header.pop('issne', None),
+ name=d.pop('journal', None),
+ publisher=d.pop('publisher', None),
+ issn=d.pop('issn', None),
+ issne=d.pop('issne', None),
+ volume=d.pop('volume', None),
+ issue=d.pop('issue', None),
)
- d.update(header)
- # files not in the old schema
+ # document fields not in the old schema
d.pop('pdf_md5', None)
- for c in d.get('citations', []):
- c.pop('note', None)
- # author changes
- for a in d['authors']:
- a['name'] = a.pop('full_name')
- addr = a.get('affiliation', {}).get('address')
- if addr and addr.get('post_code'):
- addr['postCode'] = addr.pop('post_code')
- for c in d['citations'] or []:
- for a in c['authors']:
- a['name'] = a.pop('full_name')
return _simplify_dict(d)
def remove_encumbered(self) -> None:
diff --git a/tests/files/citation_note.xml b/tests/files/citation_note.xml
new file mode 100644
index 0000000..55fe81c
--- /dev/null
+++ b/tests/files/citation_note.xml
@@ -0,0 +1,40 @@
+<TEI xmlns="http://www.tei-c.org/ns/1.0" xmlns:xlink="http://www.w3.org/1999/xlink"
+ xmlns:mml="http://www.w3.org/1998/Math/MathML">
+ <teiHeader/>
+ <text>
+ <front/>
+ <body/>
+ <back>
+ <div>
+ <listBibl>
+
+<biblStruct xml:id="b3">
+ <monogr>
+ <author>
+ <persName><forename type="first">K</forename><surname>Uhlířová</surname></persName>
+ </author>
+ <author>
+ <persName><forename type="first">M</forename><surname>Drumbl</surname></persName>
+ </author>
+ <title level="m">Actors and Law Making in International Environmental Law</title>
+ <editor>
+ <persName><forename type="first">M</forename><surname>Fitzmaurice</surname></persName>
+ <persName><forename type="first">M</forename><surname>Brus</surname></persName>
+ <persName><forename type="first">P</forename><surname>Merkouris</surname></persName>
+ </editor>
+ <meeting><address><addrLine>Cheltenham</addrLine></address></meeting>
+ <imprint>
+ <publisher>Edward Elgar Publishing</publisher>
+ <date type="published" when="2020" />
+ <biblScope unit="volume">50</biblScope>
+ </imprint>
+ </monogr>
+ <note>The Research Handbook on International Environmental Law</note>
+</biblStruct>
+
+ </listBibl>
+ </div>
+ </back>
+ </text>
+</TEI>
+
diff --git a/tests/files/example_grobid_plos.tei.xml b/tests/files/example_grobid_plos.tei.xml
new file mode 100644
index 0000000..fe6a05a
--- /dev/null
+++ b/tests/files/example_grobid_plos.tei.xml
@@ -0,0 +1,3080 @@
+<?xml version="1.0" encoding="UTF-8"?>
+<TEI xml:space="preserve"
+ xmlns="http://www.tei-c.org/ns/1.0"
+ xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
+xsi:schemaLocation="http://www.tei-c.org/ns/1.0 https://raw.githubusercontent.com/kermitt2/grobid/master/grobid-home/schemas/xsd/Grobid.xsd"
+ xmlns:xlink="http://www.w3.org/1999/xlink">
+ <teiHeader xml:lang="en">
+ <fileDesc>
+ <titleStmt>
+ <title level="a" type="main">Towards Cost-Effective Operational Monitoring Systems for Complex Waters: Analyzing Small-Scale Coastal Processes with Optical Transmissometry</title>
+ </titleStmt>
+ <publicationStmt>
+ <publisher/>
+ <availability status="unknown">
+ <licence/>
+ </availability>
+ <date type="published" when="2017-01-20">January 20, 2017</date>
+ </publicationStmt>
+ <sourceDesc>
+ <biblStruct>
+ <analytic>
+ <author>
+ <persName>
+ <forename type="first">Marta</forename>
+ <surname>Ramı ´rez-Pe ´rez</surname>
+ </persName>
+ <affiliation key="aff0">
+ <orgName type="department" key="dep1">Department of Physical and Technological Oceanography</orgName>
+ <orgName type="department" key="dep2">Institute of Marine Sciences (ICM-CSIC)</orgName>
+ <address>
+ <settlement>Barcelona</settlement>
+ <country key="ES">Spain</country>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Rafael</forename>
+ <surname>Gonc ¸alves-Araujo</surname>
+ </persName>
+ <affiliation key="aff1">
+ <orgName type="department" key="dep1">Physical Oceanography of Polar Seas</orgName>
+ <orgName type="department" key="dep2">Climate Sciences Division</orgName>
+ <orgName type="laboratory">Phytooptics Group</orgName>
+ <orgName type="institution">Alfred Wegener Institute Helmholtz Centre for Polar and Marine Research</orgName>
+ <address>
+ <settlement>Bremerhaven</settlement>
+ <country key="DE">Germany</country>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Sonja</forename>
+ <surname>Wiegmann</surname>
+ </persName>
+ <affiliation key="aff1">
+ <orgName type="department" key="dep1">Physical Oceanography of Polar Seas</orgName>
+ <orgName type="department" key="dep2">Climate Sciences Division</orgName>
+ <orgName type="laboratory">Phytooptics Group</orgName>
+ <orgName type="institution">Alfred Wegener Institute Helmholtz Centre for Polar and Marine Research</orgName>
+ <address>
+ <settlement>Bremerhaven</settlement>
+ <country key="DE">Germany</country>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Elena</forename>
+ <surname>Torrecilla</surname>
+ </persName>
+ <affiliation key="aff0">
+ <orgName type="department" key="dep1">Department of Physical and Technological Oceanography</orgName>
+ <orgName type="department" key="dep2">Institute of Marine Sciences (ICM-CSIC)</orgName>
+ <address>
+ <settlement>Barcelona</settlement>
+ <country key="ES">Spain</country>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Raul</forename>
+ <surname>Bardaji</surname>
+ </persName>
+ <affiliation key="aff0">
+ <orgName type="department" key="dep1">Department of Physical and Technological Oceanography</orgName>
+ <orgName type="department" key="dep2">Institute of Marine Sciences (ICM-CSIC)</orgName>
+ <address>
+ <settlement>Barcelona</settlement>
+ <country key="ES">Spain</country>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Ru</forename>
+ <surname>¨diger Ro ¨ttgers</surname>
+ </persName>
+ <affiliation key="aff2">
+ <orgName type="department" key="dep1">Remote Sensing Department</orgName>
+ <orgName type="department" key="dep2">Institute for Coastal Research</orgName>
+ <orgName type="department" key="dep3">Centre for Materials and Coastal Research</orgName>
+ <orgName type="institution">Helmholtz-Zentrum Geesthacht</orgName>
+ <address>
+ <settlement>Geesthacht, Germany</settlement>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Astrid</forename>
+ <surname>Bracher</surname>
+ </persName>
+ <affiliation key="aff1">
+ <orgName type="department" key="dep1">Physical Oceanography of Polar Seas</orgName>
+ <orgName type="department" key="dep2">Climate Sciences Division</orgName>
+ <orgName type="laboratory">Phytooptics Group</orgName>
+ <orgName type="institution">Alfred Wegener Institute Helmholtz Centre for Polar and Marine Research</orgName>
+ <address>
+ <settlement>Bremerhaven</settlement>
+ <country key="DE">Germany</country>
+ </address>
+ </affiliation>
+ <affiliation key="aff3">
+ <orgName type="department">Institute of Environmental Physics</orgName>
+ <orgName type="institution">University of Bremen</orgName>
+ <address>
+ <settlement>Bremen</settlement>
+ <country key="DE">Germany</country>
+ </address>
+ </affiliation>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Jaume</forename>
+ <surname>Piera</surname>
+ </persName>
+ <affiliation key="aff0">
+ <orgName type="department" key="dep1">Department of Physical and Technological Oceanography</orgName>
+ <orgName type="department" key="dep2">Institute of Marine Sciences (ICM-CSIC)</orgName>
+ <address>
+ <settlement>Barcelona</settlement>
+ <country key="ES">Spain</country>
+ </address>
+ </affiliation>
+ </author>
+ <title level="a" type="main">Towards Cost-Effective Operational Monitoring Systems for Complex Waters: Analyzing Small-Scale Coastal Processes with Optical Transmissometry</title>
+ </analytic>
+ <monogr>
+ <imprint>
+ <date type="published" when="2017-01-20">January 20, 2017</date>
+ </imprint>
+ </monogr>
+ <idno type="MD5">4F10689DEB84756CE82C8015951A22E5</idno>
+ <idno type="DOI">10.1371/journal.pone.0170706</idno>
+ <note type="submission">Received: August 4, 2016 Accepted: January 9, 2017</note>
+ </biblStruct>
+ </sourceDesc>
+ </fileDesc>
+ <encodingDesc>
+ <appInfo>
+ <application version="0.7.0-SNAPSHOT" ident="GROBID" when="2021-10-23T03:05+0000">
+ <desc>GROBID - A machine learning software for extracting information from scholarly documents</desc>
+ <ref target="https://github.com/kermitt2/grobid"/>
+ </application>
+ </appInfo>
+ </encodingDesc>
+ <profileDesc>
+ <abstract>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <p>
+ <s>The detection and prediction of changes in coastal ecosystems require a better understanding of the complex physical, chemical and biological interactions, which involves that observations should be performed continuously.</s>
+ <s>For this reason, there is an increasing demand for small, simple and cost-effective in situ sensors to analyze complex coastal waters at a broad range of scales.</s>
+ <s>In this context, this study seeks to explore the potential of beam attenuation spectra, c(λ), measured in situ with an advanced-technology optical transmissometer, for assessing temporal and spatial patterns in the complex estuarine waters of Alfacs Bay (NW Mediterranean) as a test site.</s>
+ <s>In particular, the information contained in the spectral beam attenuation coefficient was assessed and linked with different biogeochemical variables.</s>
+ <s>The attenuation at λ = 710 nm was used as a proxy for particle concentration, TSM, whereas a novel parameter was adopted as an optical indicator for chlorophyll a (Chla) concentration, based on the local maximum of c(λ) observed at the long-wavelength side of the red band Chl-a absorption peak.</s>
+ <s>In addition, since coloured dissolved organic matter (CDOM) has an important influence on the beam attenuation spectral shape and complementary measurements of particle size distribution were available, the beam attenuation spectral slope was used to analyze the CDOM content.</s>
+ <s>Results were successfully compared with optical and biogeochemical variables from laboratory analysis of collocated water samples, and statistically significant correlations were found between the attenuation proxies and the biogeochemical variables TSM, Chl-a and CDOM.</s>
+ <s>This outcome depicted the potential of high-frequency beam attenuation measurements as a simple, continuous and cost-effective approach for rapid detection of changes and patterns in biogeochemical properties in complex coastal environments.</s>
+ </p>
+ </div>
+ </abstract>
+ </profileDesc>
+ </teiHeader>
+ <text xml:lang="en">
+ <body>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Introduction</head>
+ <p>
+ <s>Coastal regions are highly dynamic and productive ecosystems, with high ecological and economic values
+ <ref type="bibr" target="#b0">[1]</ref>.
+ </s>
+ <s>They are also vulnerable areas subjected to considerable anthropogenic pressures through urban and industrial development, pollution, fisheries, agriculture and aquaculture, recreation, etc.</s>
+ <s>These pressures have caused, in many cases, habitat degradation carrying serious environmental and economic consequences, such as harmful algal blooms (HABs), anoxia, accumulation of pollutants and toxins or over-exploited fisheries
+ <ref type="bibr" target="#b1">[2]</ref>.
+ </s>
+ <s>Added to this, the effects of climate change and natural hazards are threatening the capability of coastal ecosystems to support goods and valuable services
+ <ref type="bibr" target="#b2">[3]</ref>.
+ </s>
+ <s>For these reasons, increasing national and international efforts have been addressed over the last decades to establish and implement environmental strategies for preservation, conservation and sustainable use of these ecosystems.</s>
+ <s>In accordance with the requirements of the European Water Framework Directive (WFD, 2000/60/EC) and the Marine Strategy Framework Directive, new interdisciplinary research programs are successfully being carried out such as the coastal module of the Global Ocean Observing System (Coastal GOOS), the Coastal Observing System for Northern and Arctic Seas (COSYNA), the Global Earth Observations System of Systems (GEOSS) or the Marine Geological and Biological Habitat Mapping (GEOHAB).</s>
+ <s>All those programs have been conceived to monitor, forecast and assess the state of coastal ecosystems, which involve integrated, multidisciplinary and multiscale observing systems.</s>
+ <s>Coastal environments are governed by complex physical and biogeochemical processes and thus, undergo changes over a broad range of time-space scales.</s>
+ <s>Continuous and routine provision of data is therefore required to assess the states of these ecosystems, detect changes in these states and evaluate their impacts
+ <ref type="bibr" target="#b3">[4]</ref>.
+ </s>
+ <s>In addition, there is a demand for compact, inexpensive, stable and low power in situ sensors to enable sustainable and long-term monitoring.</s>
+ </p>
+ <p>
+ <s>A powerful solution to resolve in-water variability at a wide range of space and time scales is the use of in situ measurements of Inherent Optical Properties (IOPs)
+ <ref type="bibr" target="#b4">[5]</ref>
+ <ref type="bibr" target="#b5">[6]</ref>
+ <ref type="bibr" target="#b6">[7]</ref>
+ <ref type="bibr" target="#b7">[8]</ref>.
+ </s>
+ <s>IOPs depend on the composition, morphology, and concentration of the particulate and dissolved chromophoric substances in the water and thus, can be used to estimate some water quality variables (e.g.</s>
+ <s>turbidity)
+ <ref type="bibr" target="#b8">[9]</ref> and biogeochemical properties (e.g.
+ </s>
+ <s>Chlorophyll a and suspended matter concentrations)
+ <ref type="bibr" target="#b9">[10]</ref>
+ <ref type="bibr" target="#b10">[11]</ref>.
+ </s>
+ <s>Among the IOP measuring devices, transmissometers present numerous advantages due to their general availability and simplicity of both operation and data processing
+ <ref type="bibr" target="#b11">[12]</ref>.
+ </s>
+ <s>These devices have been used to estimate the concentration of the suspended material in water
+ <ref type="bibr" target="#b12">[13]</ref>, the composition
+ <ref type="bibr" target="#b10">[11]</ref> and size distribution of particles
+ <ref type="bibr" target="#b13">[14]</ref> and the particulate organic carbon
+ <ref type="bibr" target="#b7">[8,</ref>
+ <ref type="bibr" target="#b14">15]</ref>.
+ </s>
+ <s>Furthermore, several studies have demonstrated the relationships between particulate attenuation, c p , and chlorophyll concentration (as an index of phytoplankton biomass) in oceanic waters
+ <ref type="bibr" target="#b15">[16]</ref>
+ <ref type="bibr" target="#b16">[17]</ref>
+ <ref type="bibr" target="#b17">[18]</ref>.
+ </s>
+ <s>In coastal waters, c p also registers changes in inorganic, detrital, and heterotrophic particles, thus compromising its correlation with chlorophyll a (Chl-a) concentration
+ <ref type="bibr" target="#b17">[18]</ref>.
+ </s>
+ <s>Nevertheless, the correlation between both variables (i.e.</s>
+ <s>c p and Chl-a) still needs to be further explored.</s>
+ </p>
+ <p>
+ <s>Recent technological advances have led to the development of high spectral resolution (i.e.</s>
+ <s>hyperspectral), cost-effective, compact and low power transmissometers (e.g.</s>
+ <s>VIPER, TriOS GmbH
+ <ref type="bibr" target="#b18">[19]</ref>), which have improved the operational capabilities.
+ </s>
+ <s>In this context, this study evaluates the potential of economically affordable and advanced-technology transmissometers to detect changes and patterns in the biogeochemical properties at high temporal and spatial resolution in complex coastal environments.</s>
+ <s>In particular, we focus on the information contained in the spectral beam attenuation coefficient and explore its suitability as a qualitative proxy for different biogeochemical properties.</s>
+ <s>The observed patterns are analyzed in relation to the prevailing physical forcing to better understand the biophysical coupling.</s>
+ </p>
+ <p>
+ <s>This study is focused on the microtidal estuary of Alfacs Bay (Ebro Delta, NW Mediterranean coast), using it as a test site.</s>
+ <s>This bay is an important shellfish production area commonly affected by HABs events, which lead to significant economic losses
+ <ref type="bibr" target="#b19">[20]</ref>.
+ </s>
+ <s>For this reason, this area has been intensively monitored since 1990.</s>
+ <s>Research efforts have focused on characterizing the hydrodynamics of this bay
+ <ref type="bibr" target="#b20">[21]</ref>
+ <ref type="bibr" target="#b21">[22]</ref>
+ <ref type="bibr" target="#b22">[23]</ref>
+ <ref type="bibr" target="#b23">[24]</ref>
+ <ref type="bibr" target="#b24">[25]</ref>, its ecology
+ <ref type="bibr" target="#b25">[26]</ref>
+ <ref type="bibr" target="#b26">[27]</ref>
+ <ref type="bibr" target="#b27">[28]</ref>
+ <ref type="bibr" target="#b28">[29]</ref> and the coupling between physical and biological processes
+ <ref type="bibr" target="#b29">[30]</ref>.
+ </s>
+ <s>However, the use of optical-based approaches in this area -which allow the assessment of fine-scaled temporal and spatial variability of water constituent characteristics-is still very limited.</s>
+ <s>Only
+ <ref type="bibr" target="#b30">Busch (2013)</ref>
+ <ref type="bibr" target="#b30">[31]</ref> analyzed the phytoplankton dynamics in this environment using radiometric measurements, which provided useful data only in day time.
+ </s>
+ <s>One of the main conclusions of this author was that continuous observations in Alfacs Bay are required to properly understand the rapid ecosystem dynamics.</s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Materials and Methods</head>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Study site</head>
+ <p>
+ <s>Alfacs Bay is located in the south of the Ebro River Delta (Spain), in the NW Mediterranean Sea (Fig
+ <ref type="figure" target="#fig_0">1</ref>).
+ </s>
+ <s>It is a shallow estuarine bay with 11 km length, 4 km width and a maximum depth of 6.5 m.</s>
+ <s>It is a semi-enclosed embayment separated from the open sea by a sand barrier that leaves an opening of roughly 2.5 km width, allowing the exchange of water with the open sea.</s>
+ <s>The major physical forcings in the bay are wind and freshwater input, whereas tidal forcing is negligible with a maximum range of 0.25 m
+ <ref type="bibr" target="#b31">[32]</ref>.
+ </s>
+ <s>The freshwater discharge is derived mainly from the rice-fields irrigation channels, located in the northern part of the Bay.</s>
+ <s>These channels are open from April to October or November, with an average flux rate of ca.</s>
+ <s>14.5 m 3 Ás −1
+ <ref type="bibr" target="#b21">[22]</ref>.
+ </s>
+ <s>The freshwater inputs induce vertical stratification, while only during strong wind events the water column is vertically mixed
+ <ref type="bibr" target="#b20">[21]</ref>.
+ </s>
+ <s>Heat fluxes in the ocean-atmosphere boundary layer in summer periods contribute in addition to stratifying the water column
+ <ref type="bibr" target="#b32">[33]</ref>.
+ </s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Field campaign</head>
+ <p>
+ <s>No specific permissions were required for the location of the field campaign, and the study did not involve endangered nor protected species.</s>
+ <s>Two sampling strategies were adopted to analyze both temporal and spatial patterns in Alfacs Bay in June 2013.</s>
+ <s>The analysis of temporal patterns was conducted from the 24 th of June at 9:30 pm for 48 hours.</s>
+ <s>This time series of vertical profiles was gathered from 0.5 m to 3 m depth at a fixed station located in the north-central part of the Bay (blue circle in
+ <ref type="bibr">Fig 1)</ref>.
+ </s>
+ <s>At this station, simultaneous measurements of physical (wind and current velocities and direction, and water temperature) and optical parameters (beam attenuation and near-forward angular scattering) were conducted continuously with a vertical resolution of 0.5 m.</s>
+ <s>At each depth, instruments measured for 10 minutes.</s>
+ <s>Thereby, each vertical profile took approximately 1 hour.</s>
+ <s>Water samples were collected every 6 hours at three different depths (0.5 m, 1.5 m and 3 m) for later laboratory analysis of biogeochemical and optical parameters [Chl-a, total suspended matter (TSM), algal and non-algal particulate absorption (a ph and a nap , respectively) and coloured dissolved organic matter (CDOM) absorption].</s>
+ <s>The analysis of the spatial variability was undertaken on the 27 th of June at seven stations along the bay (red circles in
+ <ref type="bibr">Fig 1)</ref>.
+ </s>
+ <s>At each station, measurements of physical (temperature and salinity) and optical parameters were made with a ship deployed profiling package and water samples were collected at three different depths (0.5 m, 3 m and 0.5 m above the bottom).</s>
+ <s>Instruments measured for 5 minutes every 0.5 m along each depth profile.</s>
+ </p>
+ <p>
+ <s>Physical parameters.</s>
+ <s>Wind data were obtained from the weather station nearby the coastline in Les Cases de Alcanar, ca. 5 km south of Alfacs Bay (Fig
+ <ref type="figure" target="#fig_0">1</ref>).
+ </s>
+ <s>Three-dimensional current velocities were measured with an upward-looking Acoustic Doppler Current Profiler (ADCP, 2MHz Aquadopp, Nortek) moored at roughly 2 m depth since the maximum depth at this station was 3.5 m.</s>
+ <s>It was configured to record 10-min average data with vertical cells of about 25 cm.</s>
+ </p>
+ <p>
+ <s>Water temperature and salinity were measured with the CTD48M (Sea&amp;Sun Technology, Germany).</s>
+ <s>Unfortunately, a failure in the instrument caused the loss of the data corresponding to the temporal analysis at the fixed sampling station.</s>
+ <s>Temperature data provided by the multiple-parameter system LISST (Sequoia Scientific Inc.) were used instead.</s>
+ </p>
+ <p>
+ <s>Optical measurements.</s>
+ <s>Spectral beam attenuation coefficient was measured with the 25-cm path length VIPER (TriOS GmbH., Germany
+ <ref type="bibr" target="#b18">[19]</ref>).
+ </s>
+ <s>It is an open-path hyperspectral transmissometer which measures the beam attenuation, c(λ), in the spectral range from 360 nm to 750 nm, with an optical resolution of 15 nm (defined by the FWHM) and an acceptance angle of 0.8˚.</s>
+ <s>More detailed information about the instrument performance and validation can be found in Ramı ´rez-Pe ´rez et al. (2015)
+ <ref type="bibr" target="#b33">[34]</ref>.
+ </s>
+ <s>VIPER measurements were carefully performed (i.e. on the shadow side of the ship and under calm sea surface conditions) to avoid ambient light contamination
+ <ref type="bibr" target="#b33">[34]</ref>.
+ </s>
+ <s>c(λ) data were collected continuously and averaged over 5 minutes.</s>
+ <s>Milli-Q water references were subtracted and data were corrected for temperature and salinity dependence of pure seawater to derive the total non-water beam attenuation spectrum, c pg (λ)
+ <ref type="bibr" target="#b33">[34]</ref>.
+ </s>
+ <s>Measurements of particle size distribution (PSD) from 1.25 μm to 250 μm were conducted with the LISST-100X (Sequoia Scientific, Inc.).</s>
+ <s>This instrument measures the near-forward scattering at 32 logarithmically spaced angles and the beam attenuation at 670 nm
+ <ref type="bibr" target="#b34">[35]</ref>.
+ </s>
+ <s>A successfully performance analysis between the attenuation measured at 670 nm by LISST and VIPER was previously carried out
+ <ref type="bibr" target="#b33">[34]</ref>.
+ </s>
+ <s>Therefore, this study focused only on the LISST scattering data to derive the particle size distribution.</s>
+ <s>The volume concentration, V(D), was obtained through inversion of the angular forward scattering pattern using the manufacturerprovided inversion routine.</s>
+ <s>The used inversion algorithm is based on a kernel matrix derived from Mie theory of scattering by spherical particles.</s>
+ <s>Data from the outer and inner rings were excluded from further analysis due to the instability observed in the smallest and largest size ranges
+ <ref type="bibr" target="#b35">[36]</ref>.
+ </s>
+ <s>Then, the particle number distribution, N(D), was calculated from the equation:</s>
+ </p>
+ <formula xml:id="formula_0">NðDÞ ¼ 6 Á VðDÞ=ðpD 3 Þ
+ <label>ð1Þ</label>
+ </formula>
+ <p>
+ <s>where D represents the diameter of a volume-equivalent sphere for the midpoint of each size class.</s>
+ <s>To obtain the PSD, the average number of particles in each size class was divided by the width of the class, which is denoted as N'(D).</s>
+ <s>Finally, the PSD was fitted to the power-law function (or Junge distribution)
+ <ref type="bibr" target="#b36">[37]</ref>:
+ </s>
+ </p>
+ <formula xml:id="formula_1">N 0 ðDÞ ¼ N 0 ðD 0 Þð D D 0 Þ Àx
+ <label>ð2Þ</label>
+ </formula>
+ <p>
+ <s>where D 0 is a reference diameter, N'(D 0 ) the differential number concentration at D 0 and ξ is the nondimensional PSD slope.</s>
+ <s>Laboratory analysis of water samples.</s>
+ </p>
+ <p>
+ <s>• CDOM absorption measurements: absorbance spectra (240-600 nm) were acquired with the Aqualog fluorescence spectrometer (HORIBA JobinYvon, Germany) directly after sampling.</s>
+ <s>Water samples were syringe-filtered with 0.2 μm Whatman Spartan filters before analysis with 1 cm quartz cuvettes.</s>
+ <s>Absorbance measurements were further converted to absorption coefficient, which is used as a proxy for the CDOM content in a given water sample.</s>
+ <s>The Napierian absorption coefficient of CDOM at each wavelength (a λ ) was obtained from the given equation:</s>
+ </p>
+ <formula xml:id="formula_2">a l ðm À1 Þ ¼ ð2:303 Á A l Þ=L
+ <label>ð3Þ</label>
+ </formula>
+ <p>
+ <s>where A λ is the absorbance at specific wavelength and L is the cuvette path length in meters.</s>
+ </p>
+ <p>
+ <s>More detailed information about the measurement protocol can be found in Gonc ¸alves-Araujo et al. (2015)
+ <ref type="bibr">[38]</ref>.
+ </s>
+ <s>CDOM absorption spectra, a(λ), were fitted to the following exponential function
+ <ref type="bibr" target="#b37">[39]</ref>:
+ </s>
+ </p>
+ <formula xml:id="formula_3">aðlÞ ¼ aðl 0 Þ Á e ÀSðlÀl 0 Þ
+ <label>ð4Þ</label>
+ </formula>
+ <p>
+ <s>where S represents the spectral slope and a(λ 0 ), the absorption coefficient at a reference wavelength λ 0 (443 nm in this case).</s>
+ <s>The function was fitted to the wavelength range from 300 to 600 nm and extrapolated to 720 nm for later analysis of CDOM contribution at longer wavelengths.</s>
+ </p>
+ <p>
+ <s>• Algal and non-algal particulate absorption (a ph (λ) and a nap (λ)): water samples were immediately filtered through ø 47-mm GF/F filters (pore size 0.7 μm), shock-frozen in liquid nitrogen and stored at -80˚C until analysis in the laboratory at the Alfred-Wegener-Institute.</s>
+ <s>The partition of the particulate absorption, a p (λ), into phytoplankton, a ph (λ), and non-algal absorption, a nap (λ), was performed by the filter pad technique following Ferrari and Tassan (1999)
+ <ref type="bibr" target="#b38">[40]</ref>.
+ </s>
+ <s>We used a Cary 4000 UV/VIS dual beam spectrophotometer equipped with a 150-mm integrating sphere (Varian Inc., USA) as described in Taylor et al. (2011)
+ <ref type="bibr" target="#b39">[41]</ref>.
+ </s>
+ <s>The measurement procedures and data analysis were performed as detailed in Ro ¨ttgers and Gehnke (2012)
+ <ref type="bibr" target="#b40">[42]</ref>.
+ </s>
+ <s>Phytoplankton absorption a ph was obtained as the difference between a p and a nap .</s>
+ </p>
+ <p>
+ <s>• Chlorophyll a: water samples for phytoplankton pigments analysis were filtered immediately after collection through ø 25-mm Whatman GF/F filters (pore size 0.7 μm).</s>
+ <s>Then, filters were shock-frozen in liquid nitrogen and stored at -80˚C until analysis in the laboratory at the Alfred-Wegener-Institute.</s>
+ <s>The extracted pigments were analyzed using the High Performance Liquid Chromatography (HPLC) technique following the method of Barlow et al.</s>
+ </p>
+ <p>
+ <s>(1997)
+ <ref type="bibr" target="#b41">[43]</ref>, with modification customized to our instruments as detailed in Taylor et al.
+ </s>
+ </p>
+ <p>
+ <s>(2011)
+ <ref type="bibr" target="#b39">[41]</ref>.
+ </s>
+ <s>In this study, we use the Chl-a concentration as an index of phytoplankton biomass and covarying materials (biogenic detritus).</s>
+ </p>
+ <p>
+ <s>• Total suspended matter concentration: TSM concentration was determined gravimetrically following Ro ¨ttgers et al. (2014)
+ <ref type="bibr" target="#b42">[44]</ref> to reject potential errors associated with salt retention in the filters and loss of materials during washing and combustion
+ <ref type="bibr" target="#b42">[44]</ref>
+ <ref type="bibr" target="#b43">[45]</ref>.
+ </s>
+ <s>Thereby, four different volumes of each water sample (within the range from 0.6 to 2.2 liters) were filtered immediately after collection through pre-weighed Whatman GF/F filters (ø 47 mm).</s>
+ <s>Afterwards, the gained mass of each filter was determined by subtracting the weight of the filter from the final weight.</s>
+ <s>A linear regression analysis was performed for filtered volume versus the gained mass, and the regression slope was taken as the TSM concentration value
+ <ref type="bibr" target="#b42">[44]</ref>.
+ </s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Data and statistical analysis</head>
+ <p>
+ <s>This study explored the information contained in the beam attenuation spectrum as a proxy for different biogeochemical properties.</s>
+ <s>In particular, the analysis focused on three major spectral features, which are described as follow (Fig
+ <ref type="figure" target="#fig_1">2</ref>):
+ </s>
+ </p>
+ <p>
+ <s>• Spectral slope: it is the major spectral shape feature of the beam attenuation coefficient and is related to the particle size distribution and CDOM content
+ <ref type="bibr" target="#b44">[46]</ref>.
+ </s>
+ <s>For this reason and due to the lack of in situ CDOM absorption measurements, we used the total non-water beam attenuation spectral slope to detect variations in CDOM.</s>
+ <s>This simplification was adopted because of the high CDOM content in Alfacs Bay
+ <ref type="bibr" target="#b30">[31]</ref> and the availability of additional particle size distribution measurements.
+ </s>
+ <s>To compute this parameter, beam attenuation spectra were fitted to the power-law function
+ <ref type="bibr" target="#b44">[46]</ref>:
+ </s>
+ </p>
+ <formula xml:id="formula_4">c pg ðlÞ ¼ c pg ðl r Þ Á ðl=l r Þ Àg
+ <label>ð5Þ</label>
+ </formula>
+ <p>
+ <s>where λ r is a reference wavelength (532 nm, in our case) and γ is the power-law slope.</s>
+ <s>The exponent was derived by non-linear least-squares regression, with a r 2 &gt;0.98 in all cases.</s>
+ </p>
+ <p>
+ <s>• Peak height associated with red band phytoplankton absorption peak: although c(λ) is typically a smoothly varying function of wavelength
+ <ref type="bibr" target="#b44">[46]</ref>
+ <ref type="bibr" target="#b45">[47]</ref>, deviations from its theoretical behavior -associated with absorbing particles-have been reported by several authors
+ <ref type="bibr" target="#b46">[48]</ref>
+ <ref type="bibr" target="#b47">[49]</ref>
+ <ref type="bibr" target="#b48">[50]</ref>.
+ </s>
+ <s>
+ <ref type="bibr" target="#b46">Zaneveld and Kitchen (1995)</ref>
+ <ref type="bibr" target="#b46">[48]</ref> observed step increases at the long-wavelength side of the chlorophyll absorption peaks as result of anomalous diffraction and dispersion
+ <ref type="bibr" target="#b49">[51]</ref>, which was called "absorption peak effects".
+ </s>
+ <s>This local maximum is therefore expected to be related to the Chl-a content (in addition to other factors such as the particle size distribution)
+ <ref type="bibr" target="#b46">[48]</ref>.
+ </s>
+ <s>For this reason, the link between the local maximum of c(λ) and the Chl-a concentration was tested in this study, since it can provide a first estimate of phytoplankton biomass and covarying materials.</s>
+ <s>Similarly to Davis et al. (1997)
+ <ref type="bibr" target="#b50">[52]</ref>, who estimated the Chl-a concentration based on the red band absorption peak -a(676)-by subtracting a baseline, we computed the peak height in the red band of the beam attenuation spectrum.
+ </s>
+ <s>However, here the local maximum was found at 685 nm (approximately 10 nm past the absorption peak, in agreement with Zaneveld and Kitchen (1995)
+ <ref type="bibr" target="#b46">[48]</ref>).
+ </s>
+ <s>The attenuation at 710 nm was then subtracted from this local peak as a base value to remove the effect of particle scattering.</s>
+ <s>This wavelength was empirically chosen based on providing the best results (based on r 2 and RMSE as compared to collocated Chl-a data determined by HPLC at discrete samples).</s>
+ <s>Thereby, the peak height was computed as c pg (685)-c pg (710), which was used as a proxy for Chl-a concentration.</s>
+ </p>
+ <p>
+ <s>• c pg (710): At long visible wavelengths, the attenuation is assumed to be determined mostly by their scattering properties and secondarily by the particulate absorption, whereas CDOM absorption has a insignificant contribution
+ <ref type="bibr" target="#b14">[15,</ref>
+ <ref type="bibr" target="#b51">[53]</ref>
+ <ref type="bibr" target="#b52">[54]</ref>
+ <ref type="bibr" target="#b53">[55]</ref>.
+ </s>
+ <s>For this reason, the attenuation in the red part of the visible spectrum (i.e.</s>
+ <s>660 and 670 nm) has been commonly used as proxy for suspended particle concentration, since it responds primarily to concentration and secondarily to size and nature of the particles
+ <ref type="bibr" target="#b54">[56]</ref>.
+ </s>
+ <s>While this assumption can be considered true in open waters, it could fail for complex coastal waters with high CDOM contents, which can yield a non-negligible CDOM absorption at long wavelengths (~700 nm) (e.g.</s>
+ <s>
+ <ref type="bibr" target="#b55">[57]</ref>).
+ </s>
+ <s>Nevertheless, the exponential decrease of CDOM absorption with wavelength involves that the longer the wavelength, the smaller its contribution to the beam attenuation signal.</s>
+ </p>
+ <p>
+ <s>For this reason, this study used the beam attenuation in the NIR (concretely at 710 nm) as proxy for TSM, where the CDOM absorption influence was minimum.</s>
+ </p>
+ <p>
+ <s>Variations in time and space of these optical parameters were analyzed by means of statistical techniques.</s>
+ <s>In particular, the Kruskal-Wallis H-test was applied at 5% significance level (α = 0.05) in order to identify temporal and spatial patterns in Alfacs Bay, given that data were not normally distributed, as demonstrated by the Shapiro-Wilk test performed prior to analysis.</s>
+ <s>On the other hand, since both inputs were subject to errors, a model II linear regression analysis was applied to investigate the relationships between optical parameters and biogeochemical variables.</s>
+ <s>Additionally, the correlations between them were examined using nonparametric Spearman-r correlation coefficients and the associated errors were determined by means of the root mean squared error (RMSE).</s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Results and Discussion</head>
+ <p>
+ <s>At first, the results from validating the above-mentioned beam attenuation-based proxies with laboratory-measured biogeochemical variables are presented.</s>
+ <s>Secondly, the temporal and spatial variability and patterns of these optical and biogeochemical parameters in Alfacs Bay are shown.</s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Validation of biogeochemical proxies</head>
+ <p>
+ <s>Attenuation at 710 nm vs. total suspended matter concentration.</s>
+ <s>The comparison between the total non-water beam attenuation coefficient and the particulate and CDOM absorption at 710 nm (c pg (710), a p (710) and a CDOM (710), respectively) was performed to determine the relative contribution of the two last components to the bulk c pg (710) signal (Fig
+ <ref type="figure" target="#fig_2">3a</ref>).
+ </s>
+ <s>In all samples, a p (710) and a CDOM (710) represented a minor fraction of c pg (710), since their values were two orders of magnitude lower than c pg (710).</s>
+ <s>c pg (710) oscillated from 0.96 to 4.66 m -1 , whereas a p (710) and a CDOM (710) ranged from 0.0065 to 0.025 m -1 in our dataset.</s>
+ <s>The insignificant CDOM contribution to the attenuation signal at 710 nm, enabled to use c pg (710) as proxy for TSM.</s>
+ <s>Then, a model II linear regression analysis was applied to investigate the relationship between c pg (710) and TSM (Fig
+ <ref type="figure" target="#fig_2">3b</ref>).
+ </s>
+ <s>The regression slope (± SD) was 0.224±0.03</s>
+ <s>gÁm -2 , which agreed with previous works
+ <ref type="bibr" target="#b51">[53,</ref>
+ <ref type="bibr" target="#b52">54]</ref>.
+ </s>
+ <s>In addition, although our slope was flatter, our observations were within the confidence bounds of the relationship found by
+ <ref type="bibr" target="#b53">Neukermans et al. (2012)</ref>
+ <ref type="bibr" target="#b53">[55]</ref> for the C-Star attenuation meter (with an acceptance angle of 1.2˚) (Fig
+ <ref type="figure" target="#fig_2">3b</ref>).
+ </s>
+ <s>This disparity in the regression slope can be partly explained due to the different attenuation wavelength used in the relationship (670 and 710 nm in Neukermans et al. (2012)
+ <ref type="bibr" target="#b53">[55]</ref> and in our study, respectively).
+ </s>
+ <s>A significant correlation was observed between c pg (710) and TSM, with r 2 = 0.75 and RMSE = 0.49 m -1 (p&lt;0.001).</s>
+ </p>
+ <p>
+ <s>c pg (685) peak height vs. Chl-a concentration.</s>
+ <s>A relatively good linear correlation was found between the Chl-a concentration and the non-water attenuation peak height at 685 nm, c pg (685) peak (r 2 = 0.79, RMSE = 0.014 m -1 , p&lt;0.001, Fig
+ <ref type="figure">4a</ref>).
+ </s>
+ <s>Thereby, it is reasonable to consider c pg (685) peak as a proxy for tracking changes in Chl-a concentration.</s>
+ <s>Since this peak was associated with the red-band Chl-a absorption peak due to anomalous dispersion, the linear correlation between c pg (685) peak and the laboratory-derived phytoplankton absorption at 676 nm, a ph (676), was examined (Fig
+ <ref type="figure">4b</ref>).
+ </s>
+ <s>A significant linear correlation was also obtained in this case, with r 2 = 0.68 and RMSE = 0.014 m -1 (p&lt;0.01).</s>
+ <s>In turn, the correlation between Chla concentration and a ph (676) was analyzed (r 2 = 0.83; RMSE = 0.019 m -1 ; p&lt;0.001) and compared to the power-law fit obtained by
+ <ref type="bibr" target="#b56">Bricaud et al. (1995)</ref>
+ <ref type="bibr" target="#b56">[58]</ref>.
+ </s>
+ <s>Our observations were in agreement with the function predicted by those authors (Fig
+ <ref type="figure">4c</ref>).
+ </s>
+ <s>According to
+ <ref type="bibr" target="#b56">Bricaud et al. (1995)</ref>
+ <ref type="bibr" target="#b56">[58]</ref>, the relationship between a ph (λ) and Chl-a varied as a result of changes in packaging effect and pigment composition.
+ </s>
+ <s>Our proxy is therefore suspected to be affected not only by these factors but also by minor contributions associated with CDOM and non-algal particles absorption, particle size distribution or Chl-a fluorescence, which compromise the relationship found between Chl-a concentration and c pg (685) peak height.</s>
+ <s>For this reason, we recommend this approach as a qualitative proxy, since its capability to provide quantitative estimates of Chl-a concentration should be further explored with a more extensive dataset.</s>
+ <s>The potential influence of Chl-a fluorescence, which could lead to a decrease in the attenuation signal around 685 nm, was not evaluated here.</s>
+ <s>Nevertheless, we assumed a minor effect since Chl-a fluorescence from the light beam leads to an emission into all directions, and therefore the amount of fluorescence into the direction of the beam towards the detector can be considered insignificant.</s>
+ </p>
+ <p>
+ <s>Spectral slope of total non-water beam attenuation vs. a CDOM (443).</s>
+ <s>The evolution of the attenuation spectral slope, the particle size distribution slope and the CDOM absorption at 443 nm was analyzed to evaluate the suitability of using c pg slope as an indicator of CDOM content.</s>
+ <s>Variations in c pg slope responded mainly to changes in a CDOM (443), since both parameters exhibited a fairly similar behavior although the magnitude of these variations differed.</s>
+ <s>PSD slope, however, varied within a relatively narrow range (from 3.43 to 4.24), playing a smaller role in the variations observed in c pg slope (Fig
+ <ref type="figure">5a</ref>).
+ </s>
+ <s>Note that the PSD slope of the LISST and the VIPER-derived c pg slope are sensitive to different particle range given the distinct scattering angles they collect, which can contribute to the different behavior observed among both variables.</s>
+ <s>In order to test whether these variations in c pg slope were associated with changes in the magnitude of a CDOM instead of in the CDOM absorption spectral slope, S CDOM , the correlation between a CDOM (443) and S CDOM was analyzed (p&lt;0.001).</s>
+ <s>An inverse relationship was found between both variables, which is consistent with the observations from
+ <ref type="bibr" target="#b57">Helms et al. (2008)</ref>
+ <ref type="bibr" target="#b57">[59]</ref> (Fig
+ <ref type="figure">5b</ref>).
+ </s>
+ <s>In contrast, no correlation was observed between S CDOM and c pg slope (p&gt;0.1).</s>
+ <s>Finally, the relationship between a CDOM (443) and c pg slope showed a significant correlation (p&lt;0.001),</s>
+ <s>although the coefficient of determination was not too strong (r 2 = 0.5; RMSE = 0.93).</s>
+ <s>This correlation was due to the high CDOM content in Alfacs Bay
+ <ref type="bibr" target="#b30">[31]</ref>.
+ </s>
+ <s>For future studies, however, it is recommended to perform in situ measurements of 0.2 μm-filtered and unfiltered seawater alternatively to determine CDOM absorption separately (e.g.</s>
+ <s>
+ <ref type="bibr" target="#b13">[14]</ref>).
+ </s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Spatial variability</head>
+ <p>
+ <s>The horizontal and vertical spatial variability of the environmental, optical and biogeochemical parameters was analyzed based on vertical profiles measured at seven stations spread in Alfacs Bay (Fig
+ <ref type="figure">6a</ref>).
+ </s>
+ <s>The vertical profiles of temperature and salinity showed a stratified water column, with a fresher and warmer surface layer and an underlying cooler and saltier water layer (Fig 6b
+ <ref type="figure">and 6c</ref>).
+ </s>
+ <s>The pycnocline was located at ~3.5m depth, consistent with previous studies
+ <ref type="bibr" target="#b21">[22,</ref>
+ <ref type="bibr" target="#b31">[32]</ref>
+ <ref type="bibr" target="#b32">[33]</ref>.
+ </s>
+ <s>The averaged temperature and salinity gradients between surface and bottom were of ΔT = 1.33˚C and ΔS = 1.84, with maximal differences of 2.1˚C and 2.7, respectively (found in the bay mouth).</s>
+ </p>
+ <p>
+ <s>The stratification of the water column determined the spatial variations observed in the optical properties.</s>
+ <s>Thereby, significant differences in the beam attenuation spectra as well as in CDOM and phytoplankton absorption spectra were found between surface and bottom water layers (i.e.</s>
+ <s>z 3.5 m and &gt;3.5 m, respectively) (p&lt;0.01)</s>
+ <s>(Fig
+ <ref type="figure" target="#fig_5">7</ref>).
+ </s>
+ <s>Meanwhile, no noticeable differences were detected in the non-algal particulate absorption, a nap (λ) (not shown).</s>
+ <s>Waters below the pycnocline were characterized by a higher attenuation and phytoplankton absorption, whereas CDOM absorption was lower.</s>
+ <s>The shape of the particle size distribution was relatively homogeneous, although the PSD slope decreased slightly with depth (Table
+ <ref type="table">1</ref>) (p&gt;0.05).
+ </s>
+ </p>
+ <p>
+ <s>The analysis of the spatial patterns based on c pg (λ) measurements was carried out by using the above-mentioned attenuation spectral features -c pg (710), c pg (685) peak and c pg slope-and their relationships with the underlying biogeochemistry.</s>
+ <s>In general, surface waters presented steeper c pg slopes and lower values of both c pg (685) peak and c pg (710).</s>
+ <s>In contrast, c pg (λ) measured below the pycnocline showed the opposite behavior, although their oscillations were larger (Table
+ <ref type="table">1</ref>,
+ <ref type="bibr">Fig 8)</ref>.
+ </s>
+ <s>Statistically significant differences (p&lt;0.01) between surface and bottom layers were found in c pg (710) and c pg slope, which increased by 40% and decreased by 27% with depth, respectively (Table
+ <ref type="table">1</ref>, Fig
+ <ref type="figure" target="#fig_8">9a)</ref>.
+ </s>
+ <s>The observed decrease in the attenuation spectral slope with depth can be associated not only with a reduction in CDOM contribution but also with resuspension events.</s>
+ <s>Horizontally, except slight differences detected in the bottom layer, no significant spatial patterns were observed along the different bay regions, suggesting a horizontal homogeneity in c pg (λ) spectral features (Fig
+ <ref type="figure" target="#fig_7">8</ref>).
+ </s>
+ </p>
+ <p>
+ <s>On the other hand, the spatial variability observed in the biogeochemical parameters over the sampled transects were in agreement with the total non-water beam attenuation proxies, since noticeable differences were found between surface and bottom water layers for these as well.</s>
+ <s>While TSM and Chl-a increased with depth, CDOM absorption decreased (Table
+ <ref type="table">1</ref>, Fig
+ <ref type="figure" target="#fig_7">8</ref>).
+ </s>
+ <s>However, horizontal variations observed in the attenuation proxies were less pronounced than those in the biogeochemical variables (Fig
+ <ref type="figure" target="#fig_7">8</ref>).
+ </s>
+ </p>
+ <p>
+ <s>Finally, the results from the laboratory-measured absorption spectra exhibited differences in optical constituents contribution between surface and bottom layers, although the averaged magnitude of the total absorption was very similar for both cases (0.82 and 0.84 m -1 , respectively) (Fig
+ <ref type="figure" target="#fig_8">9a</ref>).
+ </s>
+ <s>The spatial variations found in these variables coincided with those observed from the beam attenuation-based analysis.</s>
+ <s>The ternary plot of the partitioned absorption at each sampling station showed that surface waters were characterized by a higher proportion of CDOM and lower phytoplankton absorption than the water below the pycnocline, which presented larger particulate fraction (Fig
+ <ref type="figure" target="#fig_8">9b</ref>).
+ </s>
+ <s>These observations are consistent with a previous study in the region
+ <ref type="bibr" target="#b30">[31]</ref>, that found similar vertical distribution of optically active constituents (i.e.
+ </s>
+ <s>Chl-a, TSM, and CDOM).</s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Temporal variability</head>
+ <p>
+ <s>The 48 hours-time series of wind data showed a clear bimodal pattern with two dominant directions, from southwest and northwest (Fig
+ <ref type="figure" target="#fig_10">10a and 10b</ref>).
+ </s>
+ <s>NW winds blew for ca.</s>
+ <s>10-12 hours during the nighttime (from 10 pm until 9:30 am, approximately) and shifted from SE to SW during daytime.</s>
+ <s>The velocities reached by southern winds were 5 mÁs -1 on average, with maximum values up to 8 mÁs -1 in the evening (8:30 pm).</s>
+ <s>The strongest winds blew from SW from 5 pm to 10 pm.</s>
+ <s>The observed wind pattern responded to the typical land breeze characterized by weak nocturnal winds (&lt;2 mÁs -1 ) blowing from land, that reverses the direction and increases the intensity during the daytime (sea breeze)
+ <ref type="bibr" target="#b29">[30,</ref>
+ <ref type="bibr" target="#b32">33]</ref>.
+ </s>
+ <s>A similar behavior was observed in the surface current velocities, indicating that the water circulation at the sampling station was driven by the prevailing wind (Fig
+ <ref type="figure" target="#fig_10">10c</ref>).
+ </s>
+ <s>Thereby, surface water flowed in northward direction during daytime in response to southern winds and southwards when the wind ceased during nighttime.</s>
+ <s>This pattern was observed within the first 2 m depth, though the velocity decreased with depth.</s>
+ </p>
+ <p>
+ <s>The effect of hydrodynamics on the water optical properties was analyzed for time and depth, and no significant correlations (p&gt;0.05) between the optical properties and both the current velocity and direction were found.</s>
+ <s>Thereby, the differences in the optical parameters between both prevailing flow regimes (i.e.</s>
+ <s>southward and northward currents) were not statistically significant (p&gt;0.05)</s>
+ <s>(Fig
+ <ref type="figure" target="#fig_11">11)</ref>.
+ </s>
+ </p>
+ <p>
+ <s>The surface current velocity (at 0.5 m depth) was 0.1 mÁs -1 on average, with a maximum value of 0. current velocity within the time interval from 6 pm to 12 am, on June 25, in agreement with c pg (710).</s>
+ <s>Nevertheless, the magnitude of this increase differed, since c pg (710) showed a rise of 20% with respect to the mean value, whereas a 40% increase was detected for TSM concentration (Fig
+ <ref type="figure" target="#fig_6">13a</ref>).
+ </s>
+ <s>Apart from this, no similar patterns were observed between both parameters along the time series, involving no significant correlation between TSM and c pg (710) (p&gt;0.05).</s>
+ <s>In contrast, significant correlations were found between Chl-a concentration and c pg (685) peak (p&lt;0.05), as well as between CDOM absorption at 443 nm and the attenuation spectral slope (p&lt;0.01).</s>
+ <s>The bimodal pattern detected in the optical proxies was also observed within the bulk analyses of Chl-a and a CDOM (443).</s>
+ <s>Both variables increased their magnitude during southward current conditions (i.e. from 12 am to 12 pm, approximately) (Fig 13b
+ <ref type="figure" target="#fig_6">and 13c</ref>).
+ </s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Conclusions</head>
+ <p>
+ <s>Continuous measurements of spectral beam attenuation coefficient collected in situ with an advanced-technology transmissometer have been proven as a powerful tool to better understand the existing interactions between physical and biogeochemical variables in the complex estuarine waters of Alfacs Bay (NW Mediterranean).</s>
+ <s>In particular, this approach allowed the detection of qualitative changes in the major biogeochemical variables (i.e.</s>
+ <s>Chl-a, TSM and CDOM) at high temporal and spatial scales in this microtidal estuary.</s>
+ <s>Spatial patterns observed in the biogeochemical properties were driven by the vertical stratification of the water column.</s>
+ <s>Accordingly, surface and bottom water layers were characterized by a different relative contribution of the major biogeochemical variables to the bulk beam attenuation.</s>
+ <s>Meanwhile, observations along the 48 hours time series revealed a coupling between physical (meteorological and hydrodynamic conditions) and biogeochemical properties, since the prevailing hydrodynamic regimes determined the variations in water composition.</s>
+ <s>The temporal and spatial patterns were obtained based on the spectral features of the total non-water beam attenuation coefficient and validated with laboratory results of discrete water samples (i.e.</s>
+ <s>biogeochemical variables and partitioned absorption coefficients).</s>
+ <s>Significant linear relationships were found between the non-water beam attenuation proxies and the biogeochemical variables.</s>
+ <s>However, for future studies, it is highly recommended to include in situ beam attenuation measurements of 0.2 μm-filtered seawater for better CDOM characterization.</s>
+ <s>The proposed proxies are subject to numerous uncertainties due to several factors affecting the attenuation signal (CDOM absorption and particle characteristics such as size, shape, composition, etc., which determine their absorption and scattering properties).</s>
+ <s>For this reason, the collection of discrete water samples for laboratory analysis of biogeochemical variables is required for validation purposes.</s>
+ </p>
+ <p>
+ <s>Our results based on a high-frequency, low power ( 3 W), compact, versatile (adaptable to different observing platforms) and cost-effective (~10000€) beam attenuation meter, as well as on a simple and rapid data processing method, have demonstrated a capability to improve the operational monitoring of coastal waters towards a better understanding of their complex physical and biogeochemical interactions.</s>
+ </p>
+ </div>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_0">
+ <head>Fig 1 .</head>
+ <label>1</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 1. Location map of Alfacs Bay in NW Mediterranean Sea.</s>
+ <s>The red star indicates the location of the weather station, whereas circles show the sampling stations for the analysis of temporal (blue circle) and spatial (red circles) patterns.</s>
+ <s>Map produced with Open Street Map.</s>
+ <s>doi:10.1371/journal.pone.0170706.g001</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="4,95.98,78.01,479.91,222.63" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_1">
+ <head>Fig 2 .</head>
+ <label>2</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 2. Representative total non-water beam attenuation spectrum measured in Alfacs Bay in June 2013.</s>
+ <s>Numbers 1-3 indicate the three spectral features used in this study as proxies for biogeochemical variables: 1 = spectral slope of c pg (λ) for CDOM absorption, 2 = c pg (685)-c pg (710) for Chl-a and 3 = c pg (710) for TSM concentration.</s>
+ <s>doi:10.1371/journal.pone.0170706.g002</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="7,108.00,78.01,467.94,363.74" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_2">
+ <head>Fig 3 .</head>
+ <label>3</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 3. (a) Comparison of c pg (710), a p (710) and a CDOM (710) along all the samples used in this study.</s>
+ <s>(b) Scatter plot of TSM and the attenuation at 710 nm.</s>
+ <s>Best fit ± 90% confidence intervals are shown in blue.</s>
+ <s>Black solid and dashed lines represent the 90% prediction bounds of the [TSM]-c p (670 nm) data of Neukermans et al. (2012) (for the C-Star).</s>
+ <s>doi:10.1371/journal.pone.0170706.g003</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="9,96.04,78.01,479.85,344.24" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_3">
+ <head>Fig 4 .Fig 5 .Fig 6 .</head>
+ <label>456</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 4. Scatter plots of (a) Chl-a concentration and c pg (685) peak.</s>
+ <s>(b) Phytoplankton absorption at 676 nm, a ph (676), and c pg (685) peak.</s>
+ <s>(c) Chl-a concentration and a ph (676).</s>
+ <s>The red line represents the power-law fit proposed by Bricaud et al. (1995).</s>
+ <s>Blue lines are the regression line ± 90% confidence intervals.</s>
+ <s>doi:10.1371/journal.pone.0170706.g004</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="10,95.98,78.01,479.91,356.32" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_4">
+ <head></head>
+ <label></label>
+ <figDesc>
+ <div>
+ <p>
+ <s>doi:10.1371/journal.pone.0170706.g006</s>
+ </p>
+ </div>
+ </figDesc>
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_5">
+ <head>Fig 7 .</head>
+ <label>7</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 7. Optical properties measured at seven stations occupied in Alfacs Bay and over the water column.</s>
+ <s>(a) In situ measured total non-water beam attenuation spectra.</s>
+ <s>(b) LISST-derived size distribution for particle number.</s>
+ <s>(c) CDOM absorption and (d) phytoplankton absorption spectra.</s>
+ <s>Blue and red lines indicate measurements performed above and below the pycnocline, respectively.</s>
+ <s>doi:10.1371/journal.pone.0170706.g007</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="12,96.04,78.01,479.85,376.33" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_6">
+ <head>Table 1 .</head>
+ <label>1</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Mean and standard deviation of the non-water beam attenuation-based proxies and biogeochemical variables for waters above and below the pycnocline (i.e.</s>
+ <s>z 3.5 m and z &gt; 3</s>
+ </p>
+ </div>
+ </figDesc>
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_7">
+ <head>Fig 8 .</head>
+ <label>8</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 8. Spatial distribution of proxies from non-water beam attenuation and biogeochemical variables.</s>
+ <s>Attenuation at 710 nm, c pg (710), vs. TSM at the (a) surface (z % 0.5 m) and (b) bottom (z % 5 m) layers of Alfacs Bay.</s>
+ <s>c pg (685) peak vs. Chl-a concentration at the (c) surface and (d) bottom layers.</s>
+ <s>c pg spectral slope vs. CDOM absorption at 443 nm at the (e) surface and (f) bottom layers.</s>
+ <s>Produced with Ocean Data View software [60].</s>
+ <s>doi:10.1371/journal.pone.0170706.g008</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="13,200.01,423.89,344.30,221.22" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_8">
+ <head>Fig 9 .</head>
+ <label>9</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 9. Analysis of partitioned absorption data.</s>
+ <s>(a) Contribution of the major biogeochemical variables to the total non-water absorption coefficient at 440 nm for the two different water layers.</s>
+ <s>(b) Ternary plot of the partitioned absorption coefficient at 440 nm (CDOM, phytoplankton, and non-algal particles) measured at the different sampling stations in Alfacs Bay.</s>
+ <s>Blue and red circles correspond to water samples collected above and below the pycnocline, respectively.</s>
+ <s>doi:10.1371/journal.pone.0170706.g009</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="14,96.04,78.01,479.85,280.29" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_9">
+ <head></head>
+ <label></label>
+ <figDesc>
+ <div>
+ <p>
+ <s>2 mÁs -1 , coinciding with SW winds episodes (Fig 12a).</s>
+ <s>In relation to the hydrographical variability, water temperature showed a marked diurnal cycle (day-night), with an oscillation of 1.2˚C.</s>
+ <s>It ranged from 23.2˚C (registered at 4 am) to 24.4˚C, at 6 pm (Fig 12b).</s>
+ <s>While no significant correlations were found between physical and optical variables, the time series of c pg (710) and particle size distribution slope were characterized by an increase in their magnitude at periods of maximum current velocities, in response to the more intense northward currents (Fig 12-a, 12-c and 12-f).</s>
+ <s>In contrast, c pg (685) peak and c pg spectral slope exhibited a bimodal pattern similar to that observed for the wind and current data.</s>
+ <s>Both parameters rose under weak southward current conditions, whereas the minimum values concurred with the maximum current velocities flowing northwards (Fig 12-a, 12-d and 12-e).</s>
+ <s>The temporal variations in biogeochemical properties showed similar patterns as those observed based on c pg proxies (Fig 13).</s>
+ <s>The concentration of particulate matter increased with</s>
+ </p>
+ </div>
+ </figDesc>
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_10">
+ <head>Fig 10 .</head>
+ <label>10</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 10.</s>
+ <s>Time series of physical forcings along 48 hours.</s>
+ <s>(a) Wind speed and direction measured in the weather station located in Alcanar.</s>
+ <s>(b) Wind speed and direction (to) represented by arrows.</s>
+ <s>Upward pointing arrow indicates the North.</s>
+ <s>(c) Surface current velocity and direction represented by arrows, measured at 0.5 m depth with the ADCP located in the sampling station.</s>
+ <s>doi:10.1371/journal.pone.0170706.g010</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="15,96.04,78.01,479.85,239.07" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_11">
+ <head>Fig 11 .</head>
+ <label>11</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 11.</s>
+ <s>Optical measurements collected during profiling along 48 hours for the analysis of temporal patterns in Alfacs Bay.</s>
+ <s>(a) In situ measured total non-water beam attenuation spectra.</s>
+ <s>(b) LISST-derived size distribution for particle number.</s>
+ <s>(c) CDOM absorption and (d) phytoplankton absorption spectra.</s>
+ <s>Blue and red lines indicate measurements performed under the influence of southward and northward currents, respectively.</s>
+ <s>doi:10.1371/journal.pone.0170706.g011</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="16,96.04,78.01,479.85,375.19" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0" xml:id="fig_12">
+ <head>Fig 12 .</head>
+ <label>12</label>
+ <figDesc>
+ <div>
+ <p>
+ <s>Fig 12. Variations with time and depth in the attenuation-based proxies and PSD slope along with the current velocity.</s>
+ <s>(a) Temporal dataset of current velocity measured within the first 2 m depth.</s>
+ <s>Time series of vertical profiles of (b) water temperature, (c) c pg (710), (d) c pg (685) peak, (e) c pg spectral slope and (e) LISST-derived PSD slope.</s>
+ <s>doi:10.1371/journal.pone.0170706.g012</s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="17,95.98,78.01,479.91,385.85" type="bitmap" />
+ </figure>
+ <figure
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head></head>
+ <label></label>
+ <figDesc>
+ <div>
+ <p>
+ <s></s>
+ </p>
+ </div>
+ </figDesc>
+ <graphic coords="18,95.98,78.01,479.91,228.64" type="bitmap" />
+ </figure>
+ <note
+ xmlns="http://www.tei-c.org/ns/1.0" place="foot">PLOS ONE | DOI:10.1371/journal.pone.0170706 January 20, 2017
+ </note>
+ </body>
+ <back>
+ <div type="acknowledgement">
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Acknowledgments</head>
+ <p>
+ <s>We thank E. Zafra for his dedication and effort in organizing, planning and performing the field campaign.</s>
+ <s>We also thank to J. Ballabrera, A. Olariaga and V. Fuentes (ICM-CSIC, Spain), for their support and collaboration during the field campaign.</s>
+ <s>We are grateful to E. Boss and an anonymous reviewer for providing valuable comments on the manuscript.</s>
+ </p>
+ </div>
+ </div>
+ <div type="annex">
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Author Contributions</head>
+ <p>
+ <s>Conceptualization: MR-P RR AB JP.</s>
+ </p>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Formal analysis: MR-P RG-A.</head>
+ </div>
+ <div
+ xmlns="http://www.tei-c.org/ns/1.0">
+ <head>Funding acquisition: ET AB JP.</head>
+ <p>
+ <s>Investigation: MR-P RG-A SW RB AB JP.</s>
+ </p>
+ </div>
+ </div>
+ <div type="references">
+ <listBibl>
+ <biblStruct xml:id="b0">
+ <analytic>
+ <title level="a" type="main">Simultaneous measurement of phytoplanktonic primary production, nutrient and light availability along a turbid, eutrophic UK east coast estuary (the Colne estuary)</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Kocum</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Gjc</forename>
+ <surname>Underwood</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Nedwell</forename>
+ <surname>Db</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Mar Ecol Prog Ser</title>
+ <imprint>
+ <biblScope unit="volume">231</biblScope>
+ <biblScope unit="page" from="1" to="12" />
+ <date type="published" when="2002" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Kocum E, Underwood GJC, and Nedwell DB. Simultaneous measurement of phytoplanktonic primary production, nutrient and light availability along a turbid, eutrophic UK east coast estuary (the Colne estu- ary). Mar Ecol Prog Ser. 2002; 231:1-12.</note>
+ </biblStruct>
+ <biblStruct xml:id="b1">
+ <analytic>
+ <title level="a" type="main">Environmental threats and environmental future of estuaries</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">J</forename>
+ <surname>Kennish</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Environ Conserv</title>
+ <imprint>
+ <biblScope unit="volume">29</biblScope>
+ <biblScope unit="issue">1</biblScope>
+ <biblScope unit="page" from="78" to="107" />
+ <date type="published" when="2002" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Kennish MJ. Environmental threats and environmental future of estuaries. Environ Conserv. 2002; 29 (1):78-107.</note>
+ </biblStruct>
+ <biblStruct xml:id="b2">
+ <analytic>
+ <title level="a" type="main">Climate change, sustainable development and coastal ocean information needs</title>
+ <author>
+ <persName>
+ <forename type="first">T</forename>
+ <surname>Malone</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Davidson</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">P</forename>
+ <surname>Digiacomo</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Gonc ¸alves</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">T</forename>
+ <surname>Knap</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Muelbert</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Procedia Environ Sci</title>
+ <imprint>
+ <biblScope unit="volume">1</biblScope>
+ <biblScope unit="page" from="324" to="341" />
+ <date type="published" when="2010" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Malone T, Davidson M, DiGiacomo P, Gonc ¸alves E, Knap T, Muelbert J, et al. Climate change, sustain- able development and coastal ocean information needs. Procedia Environ Sci. 2010; 1,324-341.</note>
+ </biblStruct>
+ <biblStruct xml:id="b3">
+ <monogr>
+ <title level="m" type="main">Requirements for Global Implementation of the Strategic Plan for Coastal GOOS</title>
+ <author>
+ <persName>
+ <surname>Ioc-Unesco</surname>
+ </persName>
+ </author>
+ <ptr target="http://unesdoc.unesco.org/ulis/" />
+ <imprint>
+ <date type="published" when="2012" />
+ </imprint>
+ </monogr>
+ <note type="report_type">GOOS-193 report</note>
+ <note type="raw_reference">IOC-UNESCO. Requirements for Global Implementation of the Strategic Plan for Coastal GOOS. GOOS-193 report;2012. http://unesdoc.unesco.org/ulis/.</note>
+ </biblStruct>
+ <biblStruct xml:id="b4">
+ <monogr>
+ <title level="m" type="main">In situ measurements of the inherent optical properties (IOPs) and potential for harmful algal bloom detection and coastal ecosystem observations. In Real-Time Coastal Observing Systems for Ecosystem Dynamics and Harmful Algal Blooms</title>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <forename type="middle">S</forename>
+ <surname>Roesler</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <editor>Babin M., Roesler CS, Cullen JC</editor>
+ <imprint>
+ <date type="published" when="2008" />
+ <biblScope unit="page" from="153" to="206" />
+ <pubPlace>Paris</pubPlace>
+ </imprint>
+ </monogr>
+ <note>Real-time Coastal Observing Systems for Marine Ecosystem Dynamics and Harmful Algal Blooms: Theory, Instrumentation and Modelling</note>
+ <note type="raw_reference">Roesler CS, and Boss E. In situ measurements of the inherent optical properties (IOPs) and potential for harmful algal bloom detection and coastal ecosystem observations. In Real-Time Coastal Observing Systems for Ecosystem Dynamics and Harmful Algal Blooms. In Babin M., Roesler CS, Cullen JC (Eds.). Real-time Coastal Observing Systems for Marine Ecosystem Dynamics and Harmful Algal Blooms: Theory, Instrumentation and Modelling. Paris: UNESCO; 2008. p.153-206.</note>
+ </biblStruct>
+ <biblStruct xml:id="b5">
+ <analytic>
+ <title level="a" type="main">The bio-optical state of ocean waters and remote sensing</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">C</forename>
+ <surname>Smith</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <forename type="middle">S</forename>
+ <surname>Baker</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr</title>
+ <imprint>
+ <biblScope unit="volume">23</biblScope>
+ <biblScope unit="page" from="247" to="259" />
+ <date type="published" when="1978" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Smith RC, and Baker KS. The bio-optical state of ocean waters and remote sensing. Limnol Oceanogr. 1978; 23,247-259.</note>
+ </biblStruct>
+ <biblStruct xml:id="b6">
+ <analytic>
+ <title level="a" type="main">Measurements of spectral optical properties and their relation to biogeochemical variables and processes in Crater Lake</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Collier</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">G</forename>
+ <surname>Larson</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <surname>Fennel</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Pegau</forename>
+ <forename type="middle">W</forename>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">OR. Hydrobiol</title>
+ <imprint>
+ <biblScope unit="volume">574</biblScope>
+ <biblScope unit="issue">1</biblScope>
+ <biblScope unit="page" from="149" to="159" />
+ <date type="published" when="2007" />
+ </imprint>
+ <respStmt>
+ <orgName>Crater Lake National Park</orgName>
+ </respStmt>
+ </monogr>
+ <note type="raw_reference">Boss E, Collier R, Larson G, Fennel K, and Pegau W. Measurements of spectral optical properties and their relation to biogeochemical variables and processes in Crater Lake, Crater Lake National Park, OR. Hydrobiol. 2007; 574,1,149-159.</note>
+ </biblStruct>
+ <biblStruct xml:id="b7">
+ <analytic>
+ <title level="a" type="main">Bio-optical and biogeochemical properties of different trophic regimes</title>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <surname>Oubelkheir</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <surname>Claustre</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Sciandra</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Babin</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr</title>
+ <imprint>
+ <biblScope unit="volume">50</biblScope>
+ <biblScope unit="issue">6</biblScope>
+ <biblScope unit="page" from="1795" to="1809" />
+ <date type="published" when="2005" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Oubelkheir K, Claustre H, Sciandra A, Babin M. Bio-optical and biogeochemical properties of different trophic regimes. Limnol Oceanogr. 2005; 50 (6),1795-1809.</note>
+ </biblStruct>
+ <biblStruct xml:id="b8">
+ <analytic>
+ <title level="a" type="main">Water quality assessment and analysis of spatial patterns and temporal trends</title>
+ <author>
+ <persName>
+ <forename type="first">N</forename>
+ <forename type="middle">M</forename>
+ <surname>Gazzaz</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">K</forename>
+ <surname>Yusoff</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <surname>Juahir</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">F</forename>
+ <surname>Ramli</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <forename type="middle">Z</forename>
+ <surname>Aris</surname>
+ </persName>
+ </author>
+ <idno type="PMID">24003601</idno>
+ </analytic>
+ <monogr>
+ <title level="j">Water Environ Res</title>
+ <imprint>
+ <biblScope unit="volume">85</biblScope>
+ <biblScope unit="page" from="751" to="766" />
+ <date type="published" when="2013" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Gazzaz NM, Yusoff MK, Juahir H, Ramli MF, Aris AZ. Water quality assessment and analysis of spatial patterns and temporal trends. Water Environ Res.2013; 85,8,751-66. PMID: 24003601</note>
+ </biblStruct>
+ <biblStruct xml:id="b9">
+ <analytic>
+ <title level="a" type="main">Identification and characterisation of two optical water types in the Irish Sea from in situ inherent optical properties and seawater constituents</title>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Mckee</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Cunningham</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Estuar Coast Shelf Sci</title>
+ <imprint>
+ <biblScope unit="volume">68</biblScope>
+ <biblScope unit="page" from="305" to="316" />
+ <date type="published" when="2006" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">McKee D, Cunningham A. Identification and characterisation of two optical water types in the Irish Sea from in situ inherent optical properties and seawater constituents. Estuar Coast Shelf Sci. 2006; 68,305-316,</note>
+ </biblStruct>
+ <biblStruct xml:id="b10">
+ <analytic>
+ <title level="a" type="main">Influence of suspended particle concentration, composition and size on the variability of inherent optical properties of the Southern North Sea</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Astoreca</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Doxaran</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <surname>Ruddick</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">V</forename>
+ <surname>Rousseau</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Lancelot</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Cont Shelf Res</title>
+ <imprint>
+ <biblScope unit="volume">35</biblScope>
+ <biblScope unit="page" from="117" to="128" />
+ <date type="published" when="2012" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Astoreca R, Doxaran D, Ruddick K, Rousseau V, Lancelot C. Influence of suspended particle concen- tration, composition and size on the variability of inherent optical properties of the Southern North Sea. Cont Shelf Res.2012; 35,117-128.</note>
+ </biblStruct>
+ <biblStruct xml:id="b11">
+ <analytic>
+ <title level="a" type="main">Acceptance angle effects on the beam attenuation in the ocean</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">W</forename>
+ <forename type="middle">H</forename>
+ <surname>Slade</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Behrenfeld</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">G</forename>
+ <surname>Dall'olmo</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Opt Express</title>
+ <imprint>
+ <biblScope unit="volume">17</biblScope>
+ <biblScope unit="page" from="1535" to="1550" />
+ <date type="published" when="2009" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Boss E, Slade WH, Behrenfeld M, Dall&apos;Olmo G. Acceptance angle effects on the beam attenuation in the ocean. Opt Express. 2009b; 17,1535-1550.</note>
+ </biblStruct>
+ <biblStruct xml:id="b12">
+ <analytic>
+ <title level="a" type="main">Comparison of inherent optical properties as a surrogate for particulate matter concentration in coastal waters</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">L</forename>
+ <surname>Taylor</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">S</forename>
+ <surname>Gilbert</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <surname>Gundersen</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">N</forename>
+ <surname>Hawley</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Janzen</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr: Methods</title>
+ <imprint>
+ <biblScope unit="volume">7</biblScope>
+ <biblScope unit="page" from="803" to="810" />
+ <date type="published" when="2009" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Boss E, Taylor L, Gilbert S, Gundersen K, Hawley N, Janzen C, et al. Comparison of inherent optical properties as a surrogate for particulate matter concentration in coastal waters. Limnol Oceanogr: Meth- ods 2009; 7,803-810.</note>
+ </biblStruct>
+ <biblStruct xml:id="b13">
+ <analytic>
+ <title level="a" type="main">Shape of the particulate beam attenuation spectrum and its inversion to obtain the shape of the particulate size distribution</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">S</forename>
+ <surname>Twardowski</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">S</forename>
+ <surname>Herring</surname>
+ </persName>
+ </author>
+ <idno type="PMID">18360531</idno>
+ </analytic>
+ <monogr>
+ <title level="j">Appl Opt</title>
+ <imprint>
+ <biblScope unit="volume">40</biblScope>
+ <biblScope unit="page" from="4885" to="4893" />
+ <date type="published" when="2001" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Boss E, Twardowski MS, and Herring S. Shape of the particulate beam attenuation spectrum and its inversion to obtain the shape of the particulate size distribution. Appl Opt. 2001; 40,27,4885-4893. PMID: 18360531</note>
+ </biblStruct>
+ <biblStruct xml:id="b14">
+ <analytic>
+ <title level="a" type="main">Light scattering and chlorophyll concentration in case 1 waters: A reexamination</title>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <surname>Loisel</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Morel</forename>
+ <forename type="middle">A</forename>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr</title>
+ <imprint>
+ <biblScope unit="volume">43</biblScope>
+ <biblScope unit="issue">5</biblScope>
+ <biblScope unit="page" from="847" to="858" />
+ <date type="published" when="1998" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Loisel H, and Morel A. Light scattering and chlorophyll concentration in case 1 waters: A reexamination. Limnol Oceanogr. 1998; 43(5),847-858.</note>
+ </biblStruct>
+ <biblStruct xml:id="b15">
+ <monogr>
+ <title level="m" type="main">Contributions of phytoplankton light scattering and cell concentration changes to diel variations in beam attenuation in the equatorial Pacific from flow cytometric measurements of pico-, ultra-, and nanoplankton. Deep-Sea Res II</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">D</forename>
+ <surname>Durand</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">J</forename>
+ <surname>Olson</surname>
+ </persName>
+ </author>
+ <imprint>
+ <date type="published" when="1996" />
+ <biblScope unit="volume">43</biblScope>
+ <biblScope unit="page" from="891" to="906" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">DuRand MD, and Olson RJ. Contributions of phytoplankton light scattering and cell concentration changes to diel variations in beam attenuation in the equatorial Pacific from flow cytometric measure- ments of pico-, ultra-, and nanoplankton. Deep-Sea Res II. 1996; 43,891-906.</note>
+ </biblStruct>
+ <biblStruct xml:id="b16">
+ <analytic>
+ <title level="a" type="main">Contributions of phytoplankton and other particles to inherent optical properties in New England continental shelf waters</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">E</forename>
+ <surname>Green</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <forename type="middle">M</forename>
+ <surname>Sosik</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">J</forename>
+ <surname>Olson</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceangr</title>
+ <imprint>
+ <biblScope unit="volume">48</biblScope>
+ <biblScope unit="page" from="2377" to="2391" />
+ <date type="published" when="2003" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Green RE, Sosik HM, and Olson RJ. Contributions of phytoplankton and other particles to inherent opti- cal properties in New England continental shelf waters. Limnol Oceangr. 2003; 48,2377-2391.</note>
+ </biblStruct>
+ <biblStruct xml:id="b17">
+ <analytic>
+ <title level="a" type="main">Beam attenuation and chlorophyll concentration as alternative optical indices of phytoplankton biomass</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">J</forename>
+ <surname>Behrenfeld</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Mar Res</title>
+ <imprint>
+ <biblScope unit="volume">64</biblScope>
+ <biblScope unit="page" from="431" to="451" />
+ <date type="published" when="2006" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Behrenfeld MJ, and Boss E. Beam attenuation and chlorophyll concentration as alternative optical indi- ces of phytoplankton biomass. J Mar Res.2006; 64,431-451.</note>
+ </biblStruct>
+ <biblStruct xml:id="b18">
+ <monogr>
+ <title level="m" type="main">Germany: VIS-Photometer VIPER product brochure</title>
+ <imprint>
+ <date type="published" when="2017-01-05" />
+ </imprint>
+ </monogr>
+ <note>TriOS GmbH [Internet</note>
+ <note type="raw_reference">TriOS GmbH [Internet]. Germany: VIS-Photometer VIPER product brochure [cited 2017 Jan 05].</note>
+ </biblStruct>
+ <biblStruct xml:id="b19">
+ <analytic>
+ <title level="a" type="main">Multidisciplinary and multiscale approach to understand (harmful) phytoplankton dynamics in a NW Mediterranean Bay</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Berdalet</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">O</forename>
+ <forename type="middle">N</forename>
+ <surname>Ross</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">´j</forename>
+ <surname>Sole</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">L</forename>
+ <surname>Artigas</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">G</forename>
+ <surname>Llaveria</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Llebot</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Quesada</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Piera</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Estrada</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">ICES CM</title>
+ <imprint>
+ <biblScope unit="page">2</biblScope>
+ <date type="published" when="2010" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Berdalet E, Ross ON, Sole ´J, Artigas ML, Llaveria G, Llebot C, Quesada R, Piera J, Estrada M. Multidis- ciplinary and multiscale approach to understand (harmful) phytoplankton dynamics in a NW Mediterra- nean Bay. ICES CM 2010; N:02.</note>
+ </biblStruct>
+ <biblStruct xml:id="b20">
+ <analytic>
+ <title level="a" type="main">Hidrografia de las bahı ´as del delta del Ebro</title>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Delgado</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Investigaciones Pesqueras</title>
+ <imprint>
+ <biblScope unit="volume">51</biblScope>
+ <biblScope unit="page" from="351" to="369" />
+ <date type="published" when="1987" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Camp J, and Delgado M. Hidrografia de las bahı ´as del delta del Ebro. Investigaciones Pesqueras 1987; 51:351-369.</note>
+ </biblStruct>
+ <biblStruct xml:id="b21">
+ <monogr>
+ <title level="m" type="main">Aproximaciones a la dina ´mica ecolo ´gica de una bahı ´a estua ´rica mediterra ´nea</title>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ <imprint/>
+ </monogr>
+ <note>PhD dissertation</note>
+ <note type="raw_reference">Camp J. Aproximaciones a la dina ´mica ecolo ´gica de una bahı ´a estua ´rica mediterra ´nea [PhD disserta- tion].</note>
+ </biblStruct>
+ <biblStruct xml:id="b22">
+ <analytic>
+ <title level="a" type="main">Climatic forcing on hydrography of a Mediterranean bay (Alfacs Bay)</title>
+ <author>
+ <persName>
+ <forename type="first">´j</forename>
+ <surname>Sole</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Turiel</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Estrada</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Llebot</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Blasco</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Cont Shelf Res</title>
+ <imprint>
+ <biblScope unit="volume">29</biblScope>
+ <biblScope unit="page" from="1786" to="1800" />
+ <date type="published" when="2009" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Sole ´J, Turiel A, Estrada M, Llebot C, Blasco D, Camp J, et al. Climatic forcing on hydrography of a Med- iterranean bay (Alfacs Bay). Cont Shelf Res.2009; 29:1786-1800.</note>
+ </biblStruct>
+ <biblStruct xml:id="b23">
+ <analytic>
+ <title level="a" type="main">Hydrographical forcing and phytoplankton variability in two semi-enclosed estuarine bays</title>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Llebot</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">´j</forename>
+ <surname>Sole</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Delgado</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Ferna ´ndez-Tejedor</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Estrada</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Mar Syst</title>
+ <imprint>
+ <biblScope unit="volume">86</biblScope>
+ <biblScope unit="page" from="69" to="86" />
+ <date type="published" when="2011" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Llebot C, Sole ´J, Delgado M, Ferna ´ndez-Tejedor M, Camp J, Estrada M. Hydrographical forcing and phytoplankton variability in two semi-enclosed estuarine bays. J Mar Syst. 2011; 86,69-86.</note>
+ </biblStruct>
+ <biblStruct xml:id="b24">
+ <analytic>
+ <title level="a" type="main">Tidal transformation and resonance in a short, microtidal Mediterranean estuary (Alfacs Bay in Ebre delta)</title>
+ <author>
+ <persName>
+ <forename type="first">P</forename>
+ <surname>Cerralbo</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Grifoll</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Valle-Levinson</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Espino</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Estuar Coast Shelf Sci</title>
+ <imprint>
+ <biblScope unit="volume">145</biblScope>
+ <biblScope unit="page" from="57" to="68" />
+ <date type="published" when="2014" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Cerralbo P, Grifoll M, Valle-Levinson A, and Espino M. Tidal transformation and resonance in a short, microtidal Mediterranean estuary (Alfacs Bay in Ebre delta). Estuar Coast Shelf Sci.2014; 145,57-68.</note>
+ </biblStruct>
+ <biblStruct xml:id="b25">
+ <analytic>
+ <title level="a" type="main">Short-term pore water ammonium variability coupled to benthic boundary layer dynamics in Alfacs Bay</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Vidal</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">´ja</forename>
+ <surname>Morguı</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Mar Ecol Prog Ser</title>
+ <imprint>
+ <biblScope unit="volume">118</biblScope>
+ <biblScope unit="page" from="229" to="236" />
+ <date type="published" when="1995" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Vidal M, and Morguı ´JA. Short-term pore water ammonium variability coupled to benthic boundary layer dynamics in Alfacs Bay, Spain (Ebro Delta, NW Mediterranean). Mar Ecol Prog Ser. 1995; 118,229- 236.</note>
+ </biblStruct>
+ <biblStruct xml:id="b26">
+ <analytic>
+ <title level="a" type="main">Factors controlling seasonal variability of benthic ammonium release and oxygen uptake in Alfacs Bay</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Vidal</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">´ja</forename>
+ <surname>Morguı</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Latasa</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Romero</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Hydrobiologia</title>
+ <imprint>
+ <biblScope unit="volume">350</biblScope>
+ <biblScope unit="page" from="169" to="178" />
+ <date type="published" when="1997" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Vidal M, Morguı ´JA, Latasa M, Romero J, and Camp J. Factors controlling seasonal variability of benthic ammonium release and oxygen uptake in Alfacs Bay (Ebro Delta, NW Mediterranean). Hydrobiologia 1997; 350,169-178.</note>
+ </biblStruct>
+ <biblStruct xml:id="b27">
+ <analytic>
+ <title level="a" type="main">Phased cell division in a natural population of Dinophysissacculus and the in situ measurement of potential growth rage</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Garce ´s</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Delgado</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Plankton Res</title>
+ <imprint>
+ <biblScope unit="volume">19</biblScope>
+ <biblScope unit="page" from="2067" to="2077" />
+ <date type="published" when="1997" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Garce ´s E, Delgado M, and Camp J. Phased cell division in a natural population of Dinophysissacculus and the in situ measurement of potential growth rage. J Plankton Res. 1997; 19:2067-2077.</note>
+ </biblStruct>
+ <biblStruct xml:id="b28">
+ <analytic>
+ <title level="a" type="main">High resolution spatio-temporal detection of potentially harmful dinoflagellates in confined waters of the NW Mediterranean</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Vila</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Camp</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Garce ´s</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">´m</forename>
+ <surname>Maso</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Delgado</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Plankton Res</title>
+ <imprint>
+ <biblScope unit="volume">23</biblScope>
+ <biblScope unit="issue">5</biblScope>
+ <biblScope unit="page" from="497" to="514" />
+ <date type="published" when="2001" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Vila M, Camp J, Garce ´s E, Maso ´M, and Delgado M. High resolution spatio-temporal detection of poten- tially harmful dinoflagellates in confined waters of the NW Mediterranean. J Plankton Res. 2001; 23,5,497-514.</note>
+ </biblStruct>
+ <biblStruct xml:id="b29">
+ <monogr>
+ <title level="m" type="main">Interactions between physical forcing, water circulation and phytoplankton dynamics in a microtidal estuary</title>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Llebot</surname>
+ </persName>
+ </author>
+ <imprint>
+ <date type="published" when="2010" />
+ <pubPlace>University of Las Palmas de Gran Canaria</pubPlace>
+ </imprint>
+ </monogr>
+ <note>PhD dissertation</note>
+ <note type="raw_reference">Llebot C. Interactions between physical forcing, water circulation and phytoplankton dynamics in a microtidal estuary [PhD dissertation]. University of Las Palmas de Gran Canaria; 2010.</note>
+ </biblStruct>
+ <biblStruct xml:id="b30">
+ <monogr>
+ <title level="m" type="main">Phytoplankton dynamics and bio-optical variables associated with Harmful Algal Blooms in aquaculture zones</title>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">A</forename>
+ <surname>Busch</surname>
+ </persName>
+ </author>
+ <imprint>
+ <date type="published" when="2013" />
+ </imprint>
+ <respStmt>
+ <orgName>University of Bremen</orgName>
+ </respStmt>
+ </monogr>
+ <note>PhD dissertation</note>
+ <note type="raw_reference">Busch JA. Phytoplankton dynamics and bio-optical variables associated with Harmful Algal Blooms in aquaculture zones [PhD dissertation]. University of Bremen; 2013.</note>
+ </biblStruct>
+ <biblStruct xml:id="b31">
+ <analytic>
+ <title level="a" type="main">Hydrodynamic state in a wind-driven microtidal estuary (Alfacs Bay)</title>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <surname>Llebot</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">F</forename>
+ <forename type="middle">J</forename>
+ <surname>Rueda</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">´j</forename>
+ <surname>Sole</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">L</forename>
+ <surname>Artigas</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Estrada</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Sea Res</title>
+ <imprint>
+ <biblScope unit="volume">85</biblScope>
+ <biblScope unit="page" from="263" to="276" />
+ <date type="published" when="2013" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Llebot C, Rueda FJ, Sole ´J, Artigas ML, Estrada M. Hydrodynamic state in a wind-driven microtidal estuary (Alfacs Bay). J Sea Res.2013; 85,263-276.</note>
+ </biblStruct>
+ <biblStruct xml:id="b32">
+ <analytic>
+ <title level="a" type="main">Hydrodynamic response in a microtidal and shallow bay under energetic wind and seiche episodes</title>
+ <author>
+ <persName>
+ <forename type="first">P</forename>
+ <surname>Cerralbo</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Grifoll</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Espino</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Mar Syst</title>
+ <imprint>
+ <biblScope unit="volume">149</biblScope>
+ <biblScope unit="page" from="1" to="13" />
+ <date type="published" when="2015" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Cerralbo P, Grifoll M, and Espino M. Hydrodynamic response in a microtidal and shallow bay under energetic wind and seiche episodes. J Mar Syst. 2015; 149:1-13.</note>
+ </biblStruct>
+ <biblStruct xml:id="b33">
+ <analytic>
+ <title level="a" type="main">Cost-Effective hyperspectral transmissometers for oceanographic applications: performance analysis</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Ramı ´rez-Pe ´rez</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Ro ¨ttgers</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Torrecilla</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <surname>Piera</surname>
+ </persName>
+ </author>
+ <idno type="DOI">10.3390/s150920967</idno>
+ <idno type="PMID">26343652</idno>
+ </analytic>
+ <monogr>
+ <title level="j">Sensors</title>
+ <imprint>
+ <biblScope unit="volume">15</biblScope>
+ <biblScope unit="page" from="20967" to="20989" />
+ <date type="published" when="2015" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Ramı ´rez-Pe ´rez M, Ro ¨ttgers R, Torrecilla E, Piera J. Cost-Effective hyperspectral transmissometers for oceanographic applications: performance analysis. Sensors 2015; 15:20967-20989. doi: 10.3390/ s150920967 PMID: 26343652</note>
+ </biblStruct>
+ <biblStruct xml:id="b34">
+ <analytic>
+ <title level="a" type="main">Instruments for particle size and settling velocity observations in sediment transport</title>
+ <author>
+ <persName>
+ <forename type="first">Y</forename>
+ <forename type="middle">C</forename>
+ <surname>Agrawal</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <forename type="middle">C</forename>
+ <surname>Pottsmith</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Mar Geol</title>
+ <imprint>
+ <biblScope unit="volume">168</biblScope>
+ <biblScope unit="page" from="89" to="114" />
+ <date type="published" when="2000" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Agrawal YC, Pottsmith HC. Instruments for particle size and settling velocity observations in sediment transport. Mar Geol. 2000; 168:89-114.</note>
+ </biblStruct>
+ <biblStruct xml:id="b35">
+ <analytic>
+ <title level="a" type="main">Spatio-temporal variability in suspended particulate matter concentration and the role of aggregation on size distribution in a coral reef lagoon</title>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Jouon</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">S</forename>
+ <surname>Ouillon</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Pascal</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">P</forename>
+ <surname>Lefebvre</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">M</forename>
+ <surname>Fernandez</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">X</forename>
+ <surname>Mari</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Mar Geol</title>
+ <imprint>
+ <biblScope unit="volume">256</biblScope>
+ <biblScope unit="issue">1-4</biblScope>
+ <biblScope unit="page" from="36" to="48" />
+ <date type="published" when="2008" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Jouon A, Ouillon S, Pascal D, Lefebvre JP, Fernandez JM, Mari X, et al. Spatio-temporal variability in suspended particulate matter concentration and the role of aggregation on size distribution in a coral reef lagoon. Mar Geol. 2008; 256(1-4),36-48.</note>
+ </biblStruct>
+ <biblStruct xml:id="b36">
+ <analytic>
+ <title level="a" type="main">From Fresh to Marine Waters: Characterization and Fate of Dissolved Organic Matter in the Lena River Delta Region</title>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Jonasz</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <forename type="middle">A</forename>
+ <surname>Stedmon</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">B</forename>
+ <surname>Heim</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">I</forename>
+ <surname>Dubinenkov</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Kraberg</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Moiseev</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Front Mar Sci</title>
+ <imprint>
+ <biblScope unit="volume">35</biblScope>
+ <biblScope unit="page">108</biblScope>
+ <date type="published" when="1983" />
+ </imprint>
+ </monogr>
+ <note>Tellus B</note>
+ <note type="raw_reference">Jonasz M. Particle size distribution in the Baltic. Tellus B. 1983; 35,346-358, 38. Gonc ¸alves-Araujo R, Stedmon CA, Heim B, Dubinenkov I, Kraberg A, Moiseev D, et al. From Fresh to Marine Waters: Characterization and Fate of Dissolved Organic Matter in the Lena River Delta Region, Siberia. Front Mar Sci. 2015; 2:108.</note>
+ </biblStruct>
+ <biblStruct xml:id="b37">
+ <analytic>
+ <title/>
+ </analytic>
+ <monogr>
+ <title level="j">Jerlov NG. Marine Optics</title>
+ <imprint>
+ <date type="published" when="1976" />
+ <publisher>Elsevier</publisher>
+ </imprint>
+ </monogr>
+ <note>231 p</note>
+ <note type="raw_reference">Jerlov NG. Marine Optics, Elsevier; 1976. 231 p.</note>
+ </biblStruct>
+ <biblStruct xml:id="b38">
+ <analytic>
+ <title level="a" type="main">A method using chemical oxidation to remove light absorption by phytoplankton pigments</title>
+ <author>
+ <persName>
+ <forename type="first">G</forename>
+ <forename type="middle">M</forename>
+ <surname>Ferrari</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Tassan</forename>
+ <forename type="middle">S</forename>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Phycol</title>
+ <imprint>
+ <biblScope unit="volume">35</biblScope>
+ <biblScope unit="page" from="1090" to="1098" />
+ <date type="published" when="1999" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Ferrari GM, and Tassan S. A method using chemical oxidation to remove light absorption by phyto- plankton pigments. J Phycol. 1999; 35,1090-1098.</note>
+ </biblStruct>
+ <biblStruct xml:id="b39">
+ <analytic>
+ <title level="a" type="main">Bio-optical provinces in the eastern Atlantic Ocean and their biogeographical relevance</title>
+ <author>
+ <persName>
+ <forename type="first">B</forename>
+ <forename type="middle">B</forename>
+ <surname>Talyor</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Torrecilla</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Bernhardt</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">H</forename>
+ <surname>Taylor</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">I</forename>
+ <surname>Peeken</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <surname>Ro ¨ttgers R</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Biogeosciences</title>
+ <imprint>
+ <biblScope unit="volume">8</biblScope>
+ <biblScope unit="page" from="3609" to="3629" />
+ <date type="published" when="2011" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Talyor BB, Torrecilla E, Bernhardt A, Taylor MH, Peeken I, Ro ¨ttgers R, et al. Bio-optical provinces in the eastern Atlantic Ocean and their biogeographical relevance. Biogeosciences 2011; 8,3609-3629.</note>
+ </biblStruct>
+ <biblStruct xml:id="b40">
+ <analytic>
+ <title level="a" type="main">Measurement of light absorption by aquatic particles: improvement of the quantitative filter technique by use of an integrating sphere approach</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Ro ¨ttgers</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Gehnke</forename>
+ <forename type="middle">S</forename>
+ </persName>
+ </author>
+ <idno type="DOI">10.1364/AO.51.001336</idno>
+ <idno type="PMID">22441480</idno>
+ </analytic>
+ <monogr>
+ <title level="j">Appl Opt</title>
+ <imprint>
+ <biblScope unit="volume">51</biblScope>
+ <biblScope unit="issue">9</biblScope>
+ <biblScope unit="page" from="1336" to="1351" />
+ <date type="published" when="2012" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Ro ¨ttgers R, and Gehnke S. Measurement of light absorption by aquatic particles: improvement of the quantitative filter technique by use of an integrating sphere approach. Appl Opt. 2012; 51(9),1336- 1351. doi: 10.1364/AO.51.001336 PMID: 22441480</note>
+ </biblStruct>
+ <biblStruct xml:id="b41">
+ <analytic>
+ <title level="a" type="main">Improved resolution of mono-and divinyl chlorophylls a and b and zeaxanthin and lutein in phytoplankton extracts using reverse phase c-8 hplc</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">G</forename>
+ <surname>Barlow</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <forename type="middle">G</forename>
+ <surname>Cummings</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">S</forename>
+ <forename type="middle">W</forename>
+ <surname>Gibb</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Oceanograph Lit Rev</title>
+ <imprint>
+ <biblScope unit="volume">45</biblScope>
+ <biblScope unit="issue">8</biblScope>
+ <biblScope unit="page">1362</biblScope>
+ <date type="published" when="1997" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Barlow RG, Cummings DG, Gibb SW. Improved resolution of mono-and divinyl chlorophylls a and b and zeaxanthin and lutein in phytoplankton extracts using reverse phase c-8 hplc. Oceanograph Lit Rev. 1997; 45(8),1362.</note>
+ </biblStruct>
+ <biblStruct xml:id="b42">
+ <analytic>
+ <title level="a" type="main">Suspended matter concentrations in coastal waters: Methodological improvements to quantify individual measurement uncertainty</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Ro ¨ttgers</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <surname>Heymann</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <surname>Krasemann</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Estuar Coast Shelf Sci</title>
+ <imprint>
+ <biblScope unit="volume">151</biblScope>
+ <biblScope unit="page" from="148" to="155" />
+ <date type="published" when="2014" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Ro ¨ttgers R, Heymann K, Krasemann H. Suspended matter concentrations in coastal waters: Methodo- logical improvements to quantify individual measurement uncertainty. Estuar Coast Shelf Sci. 2014; 151:148-155.</note>
+ </biblStruct>
+ <biblStruct xml:id="b43">
+ <analytic>
+ <title level="a" type="main">Correcting the errors from variable sea salt retention and water of hydration in loss on ignition analysis: Implications for studies of estuarine and coastal waters</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">H</forename>
+ <surname>Stavn</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <forename type="middle">J</forename>
+ <surname>Rickb</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <forename type="middle">V</forename>
+ <surname>Falsterc</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Estuar Coast Shelf Sci</title>
+ <imprint>
+ <biblScope unit="volume">81</biblScope>
+ <biblScope unit="page" from="575" to="582" />
+ <date type="published" when="2009" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Stavn RH, Rickb HJ, Falsterc AV. Correcting the errors from variable sea salt retention and water of hydration in loss on ignition analysis: Implications for studies of estuarine and coastal waters. Estuar Coast Shelf Sci. 2009; 81,575-582.</note>
+ </biblStruct>
+ <biblStruct xml:id="b44">
+ <analytic>
+ <title level="a" type="main">Spectral particulate attenuation and particle size distribution in the bottom boundary layer of a continental shelf</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">W</forename>
+ <forename type="middle">S</forename>
+ <surname>Pegau</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">W</forename>
+ <forename type="middle">D</forename>
+ <surname>Gardner</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Jrv</forename>
+ <surname>Zaneveld</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <forename type="middle">H</forename>
+ <surname>Barnard</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <forename type="middle">S</forename>
+ <surname>Twardowski</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Geophys Res</title>
+ <imprint>
+ <biblScope unit="volume">106</biblScope>
+ <biblScope unit="page" from="9509" to="9516" />
+ <date type="published" when="2001" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Boss E, Pegau WS, Gardner WD, Zaneveld JRV, Barnard AH, Twardowski MS, et al. Spectral particu- late attenuation and particle size distribution in the bottom boundary layer of a continental shelf. J Geo- phys Res. 2001b; 106,C5,9509-9516.</note>
+ </biblStruct>
+ <biblStruct xml:id="b45">
+ <analytic>
+ <title level="a" type="main">A spectral model of the beam attenuation coefficient in the ocean and coastal areas</title>
+ <author>
+ <persName>
+ <forename type="first">K</forename>
+ <forename type="middle">J</forename>
+ <surname>Voss</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr</title>
+ <imprint>
+ <biblScope unit="volume">37</biblScope>
+ <biblScope unit="issue">3</biblScope>
+ <biblScope unit="page" from="501" to="509" />
+ <date type="published" when="1992" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Voss KJ. A spectral model of the beam attenuation coefficient in the ocean and coastal areas. Limnol Oceanogr. 1992; 37(3),501-509.</note>
+ </biblStruct>
+ <biblStruct xml:id="b46">
+ <analytic>
+ <title level="a" type="main">The variation in the inherent optical properties of phytoplankton near an absorption peak as determined by various models of cell structure</title>
+ <author>
+ <persName>
+ <forename type="first">Jrv</forename>
+ <surname>Zaneveld</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">C</forename>
+ <surname>Kitchen</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Geophys Res</title>
+ <imprint>
+ <biblScope unit="volume">100</biblScope>
+ <biblScope unit="page" from="13309" to="13320" />
+ <date type="published" when="1995" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Zaneveld JRV, and Kitchen JC. The variation in the inherent optical properties of phytoplankton near an absorption peak as determined by various models of cell structure. J Geophys Res. 1995; 100, C7,13309-13320.</note>
+ </biblStruct>
+ <biblStruct xml:id="b47">
+ <analytic>
+ <title level="a" type="main">Light attenuation and scattering by phytoplanktonic cells: a theoretical modeling</title>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Bricaud</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Morel</forename>
+ <forename type="middle">A</forename>
+ </persName>
+ </author>
+ <idno type="PMID">18231215</idno>
+ </analytic>
+ <monogr>
+ <title level="j">Appl Opt</title>
+ <imprint>
+ <biblScope unit="volume">25</biblScope>
+ <biblScope unit="page" from="571" to="580" />
+ <date type="published" when="1986" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Bricaud A, and Morel A. Light attenuation and scattering by phytoplanktonic cells: a theoretical model- ing. Appl Opt. 1986; 25,571-580. PMID: 18231215</note>
+ </biblStruct>
+ <biblStruct xml:id="b48">
+ <analytic>
+ <title level="a" type="main">Light backscattering efficiency and related properties of some phytoplankters</title>
+ <author>
+ <persName>
+ <forename type="first">Y</forename>
+ <surname>Ahn</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Bricaud</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Morel</forename>
+ <forename type="middle">A</forename>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Deep Res</title>
+ <imprint>
+ <biblScope unit="volume">39</biblScope>
+ <biblScope unit="page" from="1835" to="1855" />
+ <date type="published" when="1992" />
+ </imprint>
+ </monogr>
+ <note>Part</note>
+ <note type="raw_reference">Ahn Y, Bricaud A, and Morel A. Light backscattering efficiency and related properties of some phyto- plankters. Deep Res. 1992; Part A39,1835-1855.</note>
+ </biblStruct>
+ <biblStruct xml:id="b49">
+ <monogr>
+ <title level="m" type="main">Light Scattering by Small Particles</title>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <forename type="middle">C</forename>
+ <surname>Van De Hulst</surname>
+ </persName>
+ </author>
+ <imprint>
+ <date type="published" when="1957" />
+ <publisher>John Wiley&amp; Sons</publisher>
+ <pubPlace>New York</pubPlace>
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Van de Hulst HC. Light Scattering by Small Particles. New York: John Wiley&amp; Sons; 1957.</note>
+ </biblStruct>
+ <biblStruct xml:id="b50">
+ <analytic>
+ <title level="a" type="main">Reducing the effects of fouling on chlorophyll estimates derived from long-term deployments of optical instruments</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <forename type="middle">F</forename>
+ <surname>Davis</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">C</forename>
+ <forename type="middle">C</forename>
+ <surname>Moore</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Jrv</forename>
+ <surname>Zaneveld</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">M</forename>
+ <surname>Napp</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Geophys Res</title>
+ <imprint>
+ <biblScope unit="volume">102</biblScope>
+ <biblScope unit="page" from="5851" to="5855" />
+ <date type="published" when="1997" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Davis RF, Moore CC, Zaneveld JRV, Napp JM. Reducing the effects of fouling on chlorophyll estimates derived from long-term deployments of optical instruments. J Geophys Res.1997; 102:5851-5855.</note>
+ </biblStruct>
+ <biblStruct xml:id="b51">
+ <analytic>
+ <title level="a" type="main">Observations of the sensitivity of beam attenuation to particle size in a coastal bottom boundary layer</title>
+ <author>
+ <persName>
+ <forename type="first">P</forename>
+ <forename type="middle">S</forename>
+ <surname>Hill</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">P</forename>
+ <surname>Newgard</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">B</forename>
+ <forename type="middle">A</forename>
+ <surname>Law</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">T</forename>
+ <forename type="middle">G</forename>
+ <surname>Milligan</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Geophys Res</title>
+ <imprint>
+ <biblScope unit="volume">116</biblScope>
+ <biblScope unit="page">C02023</biblScope>
+ <date type="published" when="2011" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Hill PS, Boss E, Newgard JP, Law BA, and Milligan TG. Observations of the sensitivity of beam attenua- tion to particle size in a coastal bottom boundary layer. J Geophys Res. 2011; 116,C02023.</note>
+ </biblStruct>
+ <biblStruct xml:id="b52">
+ <analytic>
+ <title level="a" type="main">Effect of particulate aggregation in aquatic environments on the beam attenuation and its utility as a proxy for particulate mass</title>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <surname>Boss</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">W</forename>
+ <surname>Slade</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Hill</forename>
+ <forename type="middle">P</forename>
+ </persName>
+ </author>
+ <idno type="PMID">19466193</idno>
+ </analytic>
+ <monogr>
+ <title level="j">Opt Express</title>
+ <imprint>
+ <biblScope unit="volume">17</biblScope>
+ <biblScope unit="issue">11</biblScope>
+ <biblScope unit="page" from="9408" to="9420" />
+ <date type="published" when="2009" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Boss E, Slade W, and Hill P. Effect of particulate aggregation in aquatic environments on the beam attenuation and its utility as a proxy for particulate mass. Opt Express 2009; 17,11,9408-9420. PMID: 19466193</note>
+ </biblStruct>
+ <biblStruct xml:id="b53">
+ <analytic>
+ <title level="a" type="main">In situ variability of mass-specific beam attenuation and backscattering of marine particles with respect to particle size, density, and composition</title>
+ <author>
+ <persName>
+ <forename type="first">G</forename>
+ <surname>Neukermans</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <surname>Loisel</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">X</forename>
+ <surname>Me ´riaux</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Astoreca</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Mckee</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr</title>
+ <imprint>
+ <biblScope unit="volume">57</biblScope>
+ <biblScope unit="issue">1</biblScope>
+ <biblScope unit="page" from="124" to="144" />
+ <date type="published" when="2012" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Neukermans G, Loisel H, Me ´riaux X, Astoreca R, and McKee D. In situ variability of mass-specific beam attenuation and backscattering of marine particles with respect to particle size, density, and com- position. Limnol Oceanogr. 2012; 57(1),124-144.</note>
+ </biblStruct>
+ <biblStruct xml:id="b54">
+ <monogr>
+ <title level="m" type="main">Diel cycles of the particulate beam attenuation coefficient under varying tropic conditions in the northwestern Mediterranean Sea: Observations and modeling. Limnol Oceanogr</title>
+ <author>
+ <persName>
+ <forename type="first">P</forename>
+ <surname>Gernez</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Antoine</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">Y</forename>
+ <surname>Huot</surname>
+ </persName>
+ </author>
+ <imprint>
+ <date type="published" when="2011" />
+ <biblScope unit="volume">56</biblScope>
+ <biblScope unit="page" from="17" to="36" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Gernez P, Antoine D, and Huot Y. Diel cycles of the particulate beam attenuation coefficient under vary- ing tropic conditions in the northwestern Mediterranean Sea: Observations and modeling. Limnol Ocea- nogr. 2011; 56(1),17-36.</note>
+ </biblStruct>
+ <biblStruct xml:id="b55">
+ <analytic>
+ <title level="a" type="main">Evaluation of scatter corrections for ac-9 absorption measurements in coastal waters</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Ro ¨ttgers</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">D</forename>
+ <surname>Mckee</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">S</forename>
+ <forename type="middle">B</forename>
+ <surname>Woźniak</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Methods in Oceanography</title>
+ <imprint>
+ <biblScope unit="volume">7</biblScope>
+ <biblScope unit="page" from="21" to="39" />
+ <date type="published" when="2013" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Ro ¨ttgers R, McKee D, Woźniak SB. Evaluation of scatter corrections for ac-9 absorption measurements in coastal waters. Methods in Oceanography 2013; 7,21-39.</note>
+ </biblStruct>
+ <biblStruct xml:id="b56">
+ <analytic>
+ <title level="a" type="main">Variability in the chlorophyll-specific absorption coefficients of natural phytoplankton: Analysis and parameterization</title>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Bricaud</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">M</forename>
+ <surname>Babin</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Morel</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">H</forename>
+ <surname>Claustre</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">J Geophys Res</title>
+ <imprint>
+ <biblScope unit="volume">100</biblScope>
+ <biblScope unit="page" from="13321" to="13332" />
+ <date type="published" when="1995" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Bricaud A, Babin M, Morel A, and Claustre H. Variability in the chlorophyll-specific absorption coeffi- cients of natural phytoplankton: Analysis and parameterization. J Geophys Res.1995; 100,C7,13321- 332.</note>
+ </biblStruct>
+ <biblStruct xml:id="b57">
+ <analytic>
+ <title level="a" type="main">Absorption spectral slopes and slope ratios as indicators of molecular weight, source, and photobleaching of chromophoric dissolved organic matter</title>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">R</forename>
+ <surname>Helms</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">A</forename>
+ <surname>Stubbins</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">J</forename>
+ <forename type="middle">D</forename>
+ <surname>Ritchie</surname>
+ </persName>
+ </author>
+ <author>
+ <persName>
+ <forename type="first">E</forename>
+ <forename type="middle">C</forename>
+ <surname>Minor</surname>
+ </persName>
+ </author>
+ </analytic>
+ <monogr>
+ <title level="j">Limnol Oceanogr</title>
+ <imprint>
+ <biblScope unit="volume">53</biblScope>
+ <biblScope unit="issue">3</biblScope>
+ <biblScope unit="page" from="955" to="969" />
+ <date type="published" when="2008" />
+ </imprint>
+ </monogr>
+ <note type="raw_reference">Helms JR, Stubbins A, Ritchie JD, and Minor EC. Absorption spectral slopes and slope ratios as indica- tors of molecular weight, source, and photobleaching of chromophoric dissolved organic matter. Limnol Oceanogr. 2008; 53(3),955-969.</note>
+ </biblStruct>
+ <biblStruct xml:id="b58">
+ <monogr>
+ <title level="m" type="main">ODV: Ocean Data View</title>
+ <author>
+ <persName>
+ <forename type="first">R</forename>
+ <surname>Schlitzer</surname>
+ </persName>
+ </author>
+ <imprint>
+ <date type="published" when="2016" />
+ </imprint>
+ </monogr>
+ <note>Version 4.7.6. [software</note>
+ <note type="raw_reference">Schlitzer R. ODV: Ocean Data View. Version 4.7.6. [software]. 2016 [cited 2017 Jan 05].</note>
+ </biblStruct>
+ </listBibl>
+ </div>
+ </back>
+ </text>
+</TEI>
diff --git a/tests/files/small.xml b/tests/files/small.xml
index 4de4059..9951312 100644
--- a/tests/files/small.xml
+++ b/tests/files/small.xml
@@ -110,7 +110,7 @@ QED.</p></div>
<date type="published" when="2011-03-28" />
</imprint>
</monogr>
- <note>None</note>
+ <note>author signed copy</note>
</biblStruct>
</listBibl>
diff --git a/tests/test_csl.py b/tests/test_csl.py
index c017488..27c8c3e 100644
--- a/tests/test_csl.py
+++ b/tests/test_csl.py
@@ -20,7 +20,7 @@ def test_small_xml_csl() -> None:
"family": "Doe",
},
],
- "container-title": "Dummy Example File. Journal of Fake News. pp. 1-2. ISSN 1234-5678",
+ "book-title": "Dummy Example File. Journal of Fake News. pp. 1-2. ISSN 1234-5678",
"issued": [[2000]],
}
@@ -38,4 +38,5 @@ def test_small_xml_csl() -> None:
"issued": [[2001]],
"volume": 20,
"page": "1-11",
+ "page-first": "1",
}
diff --git a/tests/test_parse.py b/tests/test_parse.py
index 25ffa64..eb4b46e 100644
--- a/tests/test_parse.py
+++ b/tests/test_parse.py
@@ -42,7 +42,7 @@ def test_small_xml() -> None:
surname="Doe",
),
],
- journal="Dummy Example File. Journal of Fake News. pp. 1-2. ISSN 1234-5678",
+ book_title="Dummy Example File. Journal of Fake News. pp. 1-2. ISSN 1234-5678",
date="2000",
),
abstract="Everything you ever wanted to know about nothing",
@@ -52,13 +52,15 @@ def test_small_xml() -> None:
index=0,
id="b0",
authors=[
- GrobidAuthor(full_name="A Seaperson", given_name="A", surname="Seaperson")
+ GrobidAuthor(full_name="A Seaperson", middle_name="A", surname="Seaperson")
],
date="2001",
journal="Letters in the Alphabet",
title="Everything is Wonderful",
volume="20",
pages="1-11",
+ first_page="1",
+ last_page="11",
),
GrobidBiblio(
index=1,
@@ -68,6 +70,7 @@ def test_small_xml() -> None:
journal="The Dictionary",
title="All about Facts",
volume="14",
+ note="author signed copy",
),
],
)
@@ -192,12 +195,15 @@ def test_single_citations_xml() -> None:
d = parse_citations_xml(citation_xml)[0]
assert d.title == """Mesh migration following abdominal hernia repair: a comprehensive review"""
assert d.authors[2].given_name == "L"
+ assert d.authors[2].middle_name == "R"
assert d.authors[2].surname == "Taveras"
assert d.authors[2].full_name == "L R Taveras"
assert d.doi == "10.1007/s10029-019-01898-9"
assert d.pmid == "30701369"
assert d.date == "2019-01-30"
assert d.pages == "235-243"
+ assert d.first_page == "235"
+ assert d.last_page == "243"
assert d.volume == "23"
assert d.issue == "2"
assert d.journal == "Hernia"
@@ -211,3 +217,36 @@ def test_citation_list_xml() -> None:
citations = parse_citations_xml(tei_xml)
assert len(citations) == 10
assert citations[7].title == "Global Hunger Index: The Challenge of Hidden Hunger"
+
+ assert citations[3].note == "The Research Handbook on International Environmental Law"
+ assert citations[3].authors[0].surname == "Uhlířová"
+ assert citations[4].authors[0].surname == "Sleytr"
+ assert citations[4].authors[0].middle_name == "B"
+
+
+def test_grobid_070_document() -> None:
+ # more recent GROBID v0.7.0 output
+
+ with open('tests/files/example_grobid_plos.tei.xml', 'r') as f:
+ tei_xml = f.read()
+
+ doc = parse_document_xml(tei_xml)
+ assert doc.grobid_timestamp == "2021-10-23T03:05+0000"
+ assert doc.grobid_version == "0.7.0-SNAPSHOT"
+ assert doc.pdf_md5 == "4F10689DEB84756CE82C8015951A22E5"
+
+ assert doc.citations
+ cite_b6 = doc.citations[6]
+ assert cite_b6.id == "b6"
+ assert cite_b6.journal == "OR. Hydrobiol"
+ # note that this was not parsed well by GROBID
+ assert cite_b6.institution == "Crater Lake National Park"
+ assert cite_b6.date == "2007"
+ assert cite_b6.volume == "574"
+ assert cite_b6.issue == "1"
+
+ # run these methods over some more examples
+ for c in doc.citations:
+ c.to_csl_dict()
+ c.to_dict()
+ c.to_legacy_dict()