100+ datasets found
  1. Functional Composites Market By Matrix Type [Polymer Matrix Composites,...

    • zionmarketresearch.com
    pdf
    Updated Mar 17, 2025
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Zion Market Research (2025). Functional Composites Market By Matrix Type [Polymer Matrix Composites, Ceramic Matrix Composites, Hybrid Matrix Composites, and Metal Matrix Composites], By Function [Magnetic, Barrier, Optics, Thermally Conductive, Electrically Conductive, Optic], By End User [Transportation, Aerospace, Defense, Consumer Goods, Electronics, Construction, Building, Storage and Other], And By Region - Global And Regional Industry Overview, Market Intelligence, Comprehensive Analysis, Historical Data, And Forecasts 2023 - 2030- [Dataset]. https://www.zionmarketresearch.com/report/functional-composites-market
    Explore at:
    pdfAvailable download formats
    Dataset updated
    Mar 17, 2025
    Dataset provided by
    Authors
    Zion Market Research
    License

    https://www.zionmarketresearch.com/privacy-policyhttps://www.zionmarketresearch.com/privacy-policy

    Time period covered
    2022 - 2030
    Area covered
    Global
    Description

    Global Functional Composites Market size was USD 44.51 billion in 2022 and is grow to USD 81.00 billion by 2030 with a CAGR of 7.77%.

  2. Functional Composites Market Size, Share, Growth Analysis Report By Matrix...

    • fnfresearch.com
    pdf
    Updated Feb 2, 2025
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Facts and Factors (2025). Functional Composites Market Size, Share, Growth Analysis Report By Matrix Type (Metal Matrix Composites, Polymer Matrix Composites, Ceramic Matrix Composites, Hybrid Matrix Composites), By Function (Thermally Conductive, Electrically Conductive, Magnetic, Barrier, Functional Composite Matrix, Optics, Others), By End User (Aerospace & Defense, Wind Energy, Transportation, Consumer goods & Electronics, Building, Construction, Storage & Piping, Others), and By Region - Global and Regional Industry Insights, Overview, Comprehensive Analysis, Trends, Statistical Research, Market Intelligence, Historical Data and Forecast 2022 – 2028 [Dataset]. https://www.fnfresearch.com/functional-composites-market
    Explore at:
    pdfAvailable download formats
    Dataset updated
    Feb 2, 2025
    Dataset provided by
    Authors
    Facts and Factors
    License

    https://www.fnfresearch.com/privacy-policyhttps://www.fnfresearch.com/privacy-policy

    Time period covered
    2022 - 2030
    Area covered
    Global
    Description

    [236+ Pages Report] The global Functional Composites market size is expected to grow from USD 39.50 billion in 2021 to USD 64.44 billion by 2028, at a CAGR of 8.50% from 2022-2028

  3. Feature Matrix for Development of Models for Estimating the Likelihood of...

    • figshare.com
    txt
    Updated Jul 3, 2018
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Matthias Döring; Christoph Kreer; Nathalie Lehnen; Florian Klein; Nico Pfeifer (2018). Feature Matrix for Development of Models for Estimating the Likelihood of PCR Amplification [Dataset]. http://doi.org/10.6084/m9.figshare.6736232.v1
    Explore at:
    txtAvailable download formats
    Dataset updated
    Jul 3, 2018
    Dataset provided by
    figshare
    Figsharehttp://figshare.com/
    Authors
    Matthias Döring; Christoph Kreer; Nathalie Lehnen; Florian Klein; Nico Pfeifer
    License

    Attribution 4.0 (CC BY 4.0)https://creativecommons.org/licenses/by/4.0/
    License information was derived automatically

    Description

    This data set contains pairs of primers and immunoglobulin heavy chain variable sequences with annotated experimental amplification status according to gel electrophoresis. The data set tabulates the features (e.g. annealing temperature, mismatches) that determine whether a primer leads to the successful amplification of a template.

  4. d

    Efficient Matlab Programs

    • catalog.data.gov
    • datasets.ai
    • +2more
    Updated Dec 6, 2023
    + more versions
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Dashlink (2023). Efficient Matlab Programs [Dataset]. https://catalog.data.gov/dataset/efficient-matlab-programs
    Explore at:
    Dataset updated
    Dec 6, 2023
    Dataset provided by
    Dashlink
    Description

    Matlab has a reputation for running slowly. Here are some pointers on how to speed computations, to an often unexpected degree. Subjects currently covered: Matrix Coding Implicit Multithreading on a Multicore Machine Sparse Matrices Sub-Block Computation to Avoid Memory Overflow Matrix Coding - 1 Matlab documentation notes that efficient computation depends on using the matrix facilities, and that mathematically identical algorithms can have very different runtimes, but they are a bit coy about just what these differences are. A simple but telling example: The following is the core of the GD-CLS algorithm of Berry et.al., copied from fig. 1 of Shahnaz et.al, 2006, "Document clustering using nonnegative matrix factorization': for jj = 1:maxiter A = W'*W + lambda*eye(k); for ii = 1:n b = W'*V(:,ii); H(:,ii) = A \ b; end H = H .* (H>0); W = W .* (V*H') ./ (W*(H*H') + 1e-9); end Replacing the columwise update of H with a matrix update gives: for jj = 1:maxiter A = W'*W + lambda*eye(k); B = W'*V; H = A \ B; H = H .* (H>0); W = W .* (V*H') ./ (W*(H*H') + 1e-9); end These were tested on an 8049 x 8660 sparse matrix bag of words V (.0083 non-zeros), with W of size 8049 x 50, H 50 x 8660, maxiter = 50, lambda = 0.1, and identical initial W. They were run consecutivly, multithreaded on an 8-processor Sun server, starting at ~7:30PM. Tic-toc timing was recorded. Runtimes were respectivly 6586.2 and 70.5 seconds, a 93:1 difference. The maximum absolute pairwise difference between W matrix values was 6.6e-14. Similar speedups have been consistantly observed in other cases. In one algorithm, combining matrix operations with efficient use of the sparse matrix facilities gave a 3600:1 speedup. For speed alone, C-style iterative programming should be avoided wherever possible. In addition, when a couple lines of matrix code can substitute for an entire C-style function, program clarity is much improved. Matrix Coding - 2 Applied to integration, the speed gains are not so great, largely due to the time taken to set up the and deal with the boundaries. The anyomous function setup time is neglegable. I demonstrate on a simple uniform step linearly interpolated 1-D integration of cos() from 0 to pi, which should yield zero: tic; step = .00001; fun = @cos; start = 0; endit = pi; enda = floor((endit - start)/step)step + start; delta = (endit - enda)/step; intF = fun(start)/2; intF = intF + fun(endit)delta/2; intF = intF + fun(enda)(delta+1)/2; for ii = start+step:step:enda-step intF = intF + fun(ii); end intF = intFstep toc; intF = -2.910164109692914e-14 Elapsed time is 4.091038 seconds. Replacing the inner summation loop with the matrix equivalent speeds things up a bit: tic; step = .00001; fun = @cos; start = 0; endit = pi; enda = floor((endit - start)/step)*step + start; delta = (endit - enda)/step; intF = fun(start)/2; intF = intF + fun(endit)*delta/2; intF = intF + fun(enda)*(delta+1)/2; intF = intF + sum(fun(start+step:step:enda-step)); intF = intF*step toc; intF = -2.868419946011613e-14 Elapsed time is 0.141564 seconds. The core computation take

  5. Functional Composite Market Forecast by Metal Matrix and Polymer Matrix for...

    • futuremarketinsights.com
    pdf
    Updated Feb 23, 2024
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Future Market Insights (2024). Functional Composite Market Forecast by Metal Matrix and Polymer Matrix for 2024 to 2034 [Dataset]. https://www.futuremarketinsights.com/reports/functional-composite-market
    Explore at:
    pdfAvailable download formats
    Dataset updated
    Feb 23, 2024
    Dataset authored and provided by
    Future Market Insights
    License

    https://www.futuremarketinsights.com/privacy-policyhttps://www.futuremarketinsights.com/privacy-policy

    Time period covered
    2024 - 2034
    Area covered
    Worldwide
    Description

    The global functional composite market is expected to grow at a CAGR of 9.0% during the projected period. The market value is projected to increase from US$ 56.7 billion in 2024 to US$ 134 billion by 2034.

    AttributesDetails
    Market Size, 2024US$ 56.7 billion
    Market Size, 2034US$ 134 billion
    Value CAGR (2024 to 2034)9.0%

    Category-wise Insights

    AttributesDetails
    Matrix TypeMetal Matrix
    Market CAGR from 2024 to 20348.7%
    AttributesDetails
    End Use IndustryAerospace & Defense
    Market CAGR Form 2024 to 20348.6%

    Country-wise insights

    CountriesCAGR through 2024 to 2034
    United States9.1%
    United Kingdom9.4%
    China9.8%
    Japan10.1%
    South Korea10.0%
  6. Matrix of functional traits of species sampled in the annual survey of the...

    • ouvert.canada.ca
    • open.canada.ca
    csv, zip
    Updated Feb 27, 2025
    + more versions
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Fisheries and Oceans Canada (2025). Matrix of functional traits of species sampled in the annual survey of the estuary and the northern Gulf of St. Lawrence [Dataset]. https://ouvert.canada.ca/data/dataset/83af5394-ed06-4faa-b9d4-bc94712e4442
    Explore at:
    csv, zipAvailable download formats
    Dataset updated
    Feb 27, 2025
    Dataset provided by
    Fisheries and Oceans Canadahttp://www.dfo-mpo.gc.ca/
    License

    Open Government Licence - Canada 2.0https://open.canada.ca/en/open-government-licence-canada
    License information was derived automatically

    Time period covered
    Jan 1, 1990 - Dec 31, 2023
    Area covered
    Gulf of Saint Lawrence
    Description

    This dataset contains functional traits for fish and invertebrate taxa sampled in the annual ecosystem bottom trawl survey in the Estuary and northern Gulf of St. Lawrence. The purpose of this functional trait matrix is to contribute to the development and monitoring of community indicators to support the implementation of ecosystem-based management. In a context of climate change, this information will better inform and facilitate sustainable management processes and the adaptation of human activities that directly depend on the state of marine species and communities. The functional trait matrix was established based on a literature review, the knowledge of experts who have worked for over twenty years to develop knowledge on marine species in the St. Lawrence, and empirical data from the ecosystem bottom trawl survey conducted by DFO Quebec Region in the Estuary and Northern Gulf of St. Lawrence (NGSL) since 1990. It includes a total of 103 fish taxa and 178 invertebrate taxa captured in the survey. Each trait is compiled for all or a subset of the selected taxa. The trait matrix includes a grouping of taxa into trophic guilds based on fuzzy coding, a categorization of taxa based on their mobility, a qualitative assessment of the presence of traits related to habitat provision/physical structures and bioturbation, as well as a review of available knowledge on the longevity and size at maturity of selected taxa, i.e. species of commercial value. The matrix also includes an empirical assessment of the average occurrence, relative density, maximum size and condition of taxa sampled representatively over the last ten years (2014 to 2023). The files were created for an Excel format but are distributed in .txt format to ensure consistency. For details on taxa selection, literature review and trait calculation from empirical data, see the following report: Isabel, L., Scallon-Chouinard, P.-M., Roux, M.-J. et Nozères, N. 2024. Matrice des traits fonctionnels des taxons échantillonnés dans le relevé annuel de l'estuaire et le nord du golfe du Saint-Laurent. Rapp. stat. can. sci. halieut. aquat. 1421 : vii + 65 p.

  7. a

    Matrix Forest Blocks

    • geodata-cc-ny.opendata.arcgis.com
    Updated Nov 27, 2012
    + more versions
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Columbia County Planning (2012). Matrix Forest Blocks [Dataset]. https://geodata-cc-ny.opendata.arcgis.com/maps/CC-NY::matrix-forest-blocks
    Explore at:
    Dataset updated
    Nov 27, 2012
    Dataset authored and provided by
    Columbia County Planning
    Area covered
    Description

    The Matrix Forest Blocks provided here were developed in partnership between the New York Natural Heritage Program and The Nature Conservancy. The Linkages and Linkage zones were developed by the New York Natural Heritage program. Please see the metadata for each individual layer for more information.These matrix occurrences represent the viable matrix forest occurrences in the TNC eastern region as of 6/23/2006. Tier 1 occurrences are the portfolio matrix occurrences. They represent the best examples of viable matrix forest and encompass at least 1 representative of each matrix Ecological Land Unit (ELU) group. Tier 2 occurrences are also viable matrix occurrences, but are not needed to meet representation goals for the portfolio. Tier 2 occurrences represent the alternate portfolio. Matrix occurrences are bounded by fragmenting features such as roads, railroads, major utility lines, and major shorelines. The bounding block feature types were chosen due to their ecological impact on biodiversity in terms of fragmentation, dispersion, edge-effects, and invasion of alien species.

  8. Piveau: A Large-scale Open Data Management Platform based on Semantic Web...

    • zenodo.org
    • data.niaid.nih.gov
    bin
    Updated Jan 24, 2020
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Fabian Kirstein; Kyriakos Stefanidis; Benjamin Dittwald; Simon Dutkowski; Sebastian Urbanek; Manfred Hauswirth; Fabian Kirstein; Kyriakos Stefanidis; Benjamin Dittwald; Simon Dutkowski; Sebastian Urbanek; Manfred Hauswirth (2020). Piveau: A Large-scale Open Data Management Platform based on Semantic Web Technologie [Dataset]. http://doi.org/10.5281/zenodo.3571171
    Explore at:
    binAvailable download formats
    Dataset updated
    Jan 24, 2020
    Dataset provided by
    Zenodohttp://zenodo.org/
    Authors
    Fabian Kirstein; Kyriakos Stefanidis; Benjamin Dittwald; Simon Dutkowski; Sebastian Urbanek; Manfred Hauswirth; Fabian Kirstein; Kyriakos Stefanidis; Benjamin Dittwald; Simon Dutkowski; Sebastian Urbanek; Manfred Hauswirth
    License

    Attribution 4.0 (CC BY 4.0)https://creativecommons.org/licenses/by/4.0/
    License information was derived automatically

    Description

    This file contains the sources that were used to create the feature comparison in "Piveau: A Large-scale Open Data Management Platform based on Semantic Web Technologies".

  9. u

    Data from: Frugivore-mediated seed dispersal in fragmented landscapes:...

    • produccioncientifica.uca.es
    • data.niaid.nih.gov
    • +2more
    Updated 2023
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    González-Varo, Juan P.; Albrecht, Jörg; Arroyo, Juan M.; Bueno, Rafael S.; Burgos, Tamara; Escribano-Ávila, Gema; Farwig, Nina; García, Daniel; Illera, Juan C.; Jordano, Pedro; Kurek, Przemysław; Rösner, Sascha; Virgós, Emilio; Sutherland, William J.; González-Varo, Juan P.; Albrecht, Jörg; Arroyo, Juan M.; Bueno, Rafael S.; Burgos, Tamara; Escribano-Ávila, Gema; Farwig, Nina; García, Daniel; Illera, Juan C.; Jordano, Pedro; Kurek, Przemysław; Rösner, Sascha; Virgós, Emilio; Sutherland, William J. (2023). Frugivore-mediated seed dispersal in fragmented landscapes: Compositional and functional turnover from forest to matrix [Dataset]. https://produccioncientifica.uca.es/documentos/668fc40cb9e7c03b01bd3598
    Explore at:
    Dataset updated
    2023
    Authors
    González-Varo, Juan P.; Albrecht, Jörg; Arroyo, Juan M.; Bueno, Rafael S.; Burgos, Tamara; Escribano-Ávila, Gema; Farwig, Nina; García, Daniel; Illera, Juan C.; Jordano, Pedro; Kurek, Przemysław; Rösner, Sascha; Virgós, Emilio; Sutherland, William J.; González-Varo, Juan P.; Albrecht, Jörg; Arroyo, Juan M.; Bueno, Rafael S.; Burgos, Tamara; Escribano-Ávila, Gema; Farwig, Nina; García, Daniel; Illera, Juan C.; Jordano, Pedro; Kurek, Przemysław; Rösner, Sascha; Virgós, Emilio; Sutherland, William J.
    Description

    Seed dispersal by frugivores is a fundamental function for plant community dynamics in fragmented landscapes, where forest remnants are typically embedded in a matrix of anthropogenic habitats. Frugivores can mediate both connectivity among forest remnants and plant colonization of the matrix. However, it remains poorly understood how frugivore communities change from forest to matrix due to the loss or replacement of species with traits that are less advantageous in open habitats, and whether such changes ultimately influence the composition and traits of dispersed plants via species interactions. Here, we close this gap by using a unique dataset of seed-dispersal networks that were sampled in forest patches and adjacent matrix habitats of seven fragmented landscapes across Europe. We found a similar diversity of frugivores, plants and interactions contributing to seed dispersal in forest and matrix, but a high turnover (replacement) in all these components. The turnover of dispersed seeds was smaller than that of frugivore communities because different frugivore species provided complementary seed dispersal in forest and matrix. Importantly, the turnover involved functional changes towards larger and more mobile frugivores in the matrix, which dispersed taller, larger-seeded plants with later fruiting periods. Our study provides a trait-based understanding of frugivore-mediated seed dispersal through fragmented landscapes, uncovering non-random shifts that can have cascading consequences for the composition of regenerating plant communities. Our findings also highlight the importance of forest remnants and frugivore faunas for ecosystem resilience, demonstrating a high potential for passive forest restoration of unmanaged lands in the matrix.

  10. Data from: Generating fast sparse matrix vector multiplication from a high...

    • zenodo.org
    • data.niaid.nih.gov
    • +1more
    zip
    Updated Jun 2, 2022
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Federico Pizzuti; Federico Pizzuti; Michel Steuwer; Christophe Dubach; Michel Steuwer; Christophe Dubach (2022). Generating fast sparse matrix vector multiplication from a high level generic functional IR [Dataset]. http://doi.org/10.5061/dryad.wstqjq2gs
    Explore at:
    zipAvailable download formats
    Dataset updated
    Jun 2, 2022
    Dataset provided by
    Zenodohttp://zenodo.org/
    Authors
    Federico Pizzuti; Federico Pizzuti; Michel Steuwer; Christophe Dubach; Michel Steuwer; Christophe Dubach
    License

    CC0 1.0 Universal Public Domain Dedicationhttps://creativecommons.org/publicdomain/zero/1.0/
    License information was derived automatically

    Description

    Usage of high-level intermediate representations promises the generation of fast code from a high-level description, improving the productivity of developers while achieving the performance traditionally only reached with low-level programming approaches.

    High-level IRs come in two flavors:
    1) domain-specific IRs designed to express only for a specific application area; or
    2) generic high-level IRs that can be used to generate high-performance code across many domains.
    Developing generic IRs is more challenging but offers the advantage of reusing a common compiler infrastructure various applications.

    In this paper, we extend a generic high-level IR to enable efficient computation with sparse data structures.
    Crucially, we encode sparse representation using reusable dense building blocks already present in the high-level IR.
    We use a form of dependent types to model sparse matrices in CSR format by expressing the relationship between multiple dense arrays explicitly separately storing the length of rows, the column indices, and the non-zero values of the matrix.

    We demonstrate that we achieve high-performance compared to spare low-level library code using our extended generic high-level code generator.
    On an Nvidia GPU, we outperform the highly tuned Nvidia cuSparse implementation of SpMV multiplication across 28 sparse matrices of varying sparsity on average by $1.7\times$.

  11. d

    Data from: Matrix type and landscape attributes modulate avian taxonomic and...

    • datadryad.org
    • data.niaid.nih.gov
    zip
    Updated Jun 21, 2019
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Fabio M. Barros; Felipe Martello; Carlos A. Peres; Marco A. Pizo; Milton C. Ribeiro (2019). Matrix type and landscape attributes modulate avian taxonomic and functional spillover across habitat boundaries in the Brazilian Atlantic Forest [Dataset]. http://doi.org/10.5061/dryad.805cp7g
    Explore at:
    zipAvailable download formats
    Dataset updated
    Jun 21, 2019
    Dataset provided by
    Dryad
    Authors
    Fabio M. Barros; Felipe Martello; Carlos A. Peres; Marco A. Pizo; Milton C. Ribeiro
    Time period covered
    2019
    Area covered
    Brazil, Bragança Paulista - SP, Itatiba - SP, São Paulo, Nazaré Paulista - SP, Atibaia - SP
    Description

    Bird occurrence, ecological traits and landscape predictors in southeast BrazilThis database provide data on bird species occurrence in forest edges, pastures and eucalyptus plantation across a wide region of fragmented Atlantic Forest, southeastern Brazil. Additonally, information on species ecological traits, sampling geographical coordinates, and landscape attributes are available. Detailed information on how these data were collated are found in the Methods section of the manuscript.bird_dataset.xlsx

  12. N

    Consciously Feeling the Pain of Others Reflects Atypical Functional...

    • neurovault.org
    nifti
    Updated Oct 26, 2023
    + more versions
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    (2023). Consciously Feeling the Pain of Others Reflects Atypical Functional Connectivity between the Pain Matrix and Frontal-Parietal Regions: 01Pain_control group [Dataset]. http://identifiers.org/neurovault.image:801250
    Explore at:
    niftiAvailable download formats
    Dataset updated
    Oct 26, 2023
    License

    CC0 1.0 Universal Public Domain Dedicationhttps://creativecommons.org/publicdomain/zero/1.0/
    License information was derived automatically

    Description

    control group

    glassbrain

    Collection description

    Around a quarter of the population report “mirror pain” experiences in which bodily sensations of pain are elicited in response to viewing another person in pain. We have shown that this population of responders further fractionates into two distinct subsets (Sensory/localized and Affective/General), which presents an important opportunity to investigate the neural underpinnings of individual differences in empathic responses. Our study uses fMRI to determine how regions involved in the perception of pain interact with regions implicated in empathic regulation in these two groups, relative to controls. When observing pain in others (minor injuries to the hands and feet), the two responder groups show activation in both the sensory/discriminative and affective/motivational components of the pain matrix. The control group only showed activation in the latter. The two responder groups showed clear differences in functional connectivity. Notably, Sensory/Localized responders manifest significant coupling between the right temporo-parietal junction (rTPJ) and bilateral anterior insula. We conclude that conscious experiences of vicarious pain is supported by specific patterns of functional connectivity between pain-related and regulatory regions, and not merely increased activity within the pain matrix itself.

    Subject species

    homo sapiens

    Modality

    fMRI-BOLD

    Analysis level

    single-subject

    Cognitive paradigm (task)

    Narrative-based Pain Empathy Task

    Map type

    Other

  13. Ecological Integrity and Connectivity matrix

    • gis-fws.opendata.arcgis.com
    Updated Nov 2, 2023
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    U.S. Fish & Wildlife Service (2023). Ecological Integrity and Connectivity matrix [Dataset]. https://gis-fws.opendata.arcgis.com/datasets/ecological-integrity-and-connectivity-matrix
    Explore at:
    Dataset updated
    Nov 2, 2023
    Dataset provided by
    U.S. Fish and Wildlife Servicehttp://www.fws.gov/
    Authors
    U.S. Fish & Wildlife Service
    Area covered
    Description

    This map represents the interaction between ecosystem integrity and connectivity in the High Divide region. The ecological integrity layer was created using the composite count overlap of three data sets that consider ecosystem structure, function, and composition in order to estimate relative ecological integrity across the High Divide region. We define and estimate ecological integrity by assembling publicly available spatial data that describe “elements of composition, structure, function, and ecological processes” (after Parrish et al. 2003; Wurtzebach and Schultz 2016 https://doi.org/10.1093/biosci/biw037).

  14. f

    Data from: Supplement Number 1

    • figshare.com
    • aip.figshare.com
    txt
    Updated Jul 29, 2024
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Di Liu; Bing Yan; Marinela Irimia; Jian Wang (2024). Supplement Number 1 [Dataset]. http://doi.org/10.60893/figshare.jcp.26240270.v1
    Explore at:
    txtAvailable download formats
    Dataset updated
    Jul 29, 2024
    Dataset provided by
    AIP Publishing
    Authors
    Di Liu; Bing Yan; Marinela Irimia; Jian Wang
    License

    Attribution 4.0 (CC BY 4.0)https://creativecommons.org/licenses/by/4.0/
    License information was derived automatically

    Description

    Vibrational levels of the ground state of Br2

  15. f

    Confusion Matrix of the best feature set selected from FS3 (physiological...

    • plos.figshare.com
    xls
    Updated May 31, 2023
    + more versions
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Dimitris Giakoumis; Anastasios Drosou; Pietro Cipresso; Dimitrios Tzovaras; George Hassapis; Andrea Gaggioli; Giuseppe Riva (2023). Confusion Matrix of the best feature set selected from FS3 (physiological and behavioural features) in Dataset1. [Dataset]. http://doi.org/10.1371/journal.pone.0043571.t009
    Explore at:
    xlsAvailable download formats
    Dataset updated
    May 31, 2023
    Dataset provided by
    PLOS ONE
    Authors
    Dimitris Giakoumis; Anastasios Drosou; Pietro Cipresso; Dimitrios Tzovaras; George Hassapis; Andrea Gaggioli; Giuseppe Riva
    License

    Attribution 4.0 (CC BY 4.0)https://creativecommons.org/licenses/by/4.0/
    License information was derived automatically

    Description

    Best Average CCR = 100% (108/108).Features Selected from FS3: A1, V8, V5, V12, V13, V14, V17, V21, V25, V28, V15, V19, V23, V27, V30, V32, V33, V31, V35, V38, V39, V40, V42, V51, V52, V53, V54, V57, V58, V59, V62, V71, V72, V75, V65, V68, V69, Avg(GSR), Avg1(GSR), RMS1(GSR), SCR_Dur, SCR_arUnder, δ(GSR), prop1(GSR), Min(GSR), Max(GSR), SCR_AmpQ75, SCR_AmpQ85, SCR_AmpQ95, SCR_DurQ75, SCR_DurQ95, RMS1s(GSR), prop1s(GSR), Avg(IBI), RMSSD, pNN50, LF/HF, γnorm (IBI), fd(IBI), Max(IBI), Kurt(IBI), Skew(IBI), SD1(IBI).

  16. MOSAIC trait database

    • figshare.com
    txt
    Updated Jun 1, 2023
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Connor Bernard; Gabriel Silva Santos; Jacques Deere; Roberto Rodriguez-Caro; Pol Capdevila; Erik Kusch; Samuel Gascoigne; John Jackson; Roberto Salguero-Gómez (2023). MOSAIC trait database [Dataset]. http://doi.org/10.6084/m9.figshare.21035857.v1
    Explore at:
    txtAvailable download formats
    Dataset updated
    Jun 1, 2023
    Dataset provided by
    figshare
    Authors
    Connor Bernard; Gabriel Silva Santos; Jacques Deere; Roberto Rodriguez-Caro; Pol Capdevila; Erik Kusch; Samuel Gascoigne; John Jackson; Roberto Salguero-Gómez
    License

    Attribution 4.0 (CC BY 4.0)https://creativecommons.org/licenses/by/4.0/
    License information was derived automatically

    Description

    Database files for the MOSAIC database (See associated manuscript: MOSAIC: A Unified Trait Database to Complement Structured Population Models for more information and guidance).

    See, also, user guide and further information on the MOSAIC portal: https://mosaicdatabase.web.ox.ac.uk/

    The primary key for linking databases is the species name.

    File #1 - Primary trait database file, organised by species name (csv). Filte #2 - ERA-5 climate data for all population models in COMADRE, COMPADRE, and PADRIN (csv). Organised by population model ID. File #3 - OTL phylogeny for species in the COMADRE and COMPADRE databases. Note that these data files are intended for loading and use in R using the ape package. (txt)

  17. Data from: Many-to-many mapping of phenotype to performance: an extension of...

    • zenodo.org
    • data.niaid.nih.gov
    • +1more
    Updated May 30, 2022
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Philip J. Bergmann; Eric J. McElroy; Philip J. Bergmann; Eric J. McElroy (2022). Data from: Many-to-many mapping of phenotype to performance: an extension of the F-matrix for studying functional complexity [Dataset]. http://doi.org/10.5061/dryad.cs0qv
    Explore at:
    application/x-troff-me, csvAvailable download formats
    Dataset updated
    May 30, 2022
    Dataset provided by
    Zenodohttp://zenodo.org/
    Authors
    Philip J. Bergmann; Eric J. McElroy; Philip J. Bergmann; Eric J. McElroy
    License

    CC0 1.0 Universal Public Domain Dedicationhttps://creativecommons.org/publicdomain/zero/1.0/
    License information was derived automatically

    Description

    Performance capacity influences ecology, behavior and fitness, and is determined by the underlying phenotype. The phenotype-performance relationship can influence the evolutionary trajectory of an organism. Several types of phenotype-performance relationships have been described, including one-to-one relationships between a single phenotypic trait and performance measure, trade-offs and facilitations between a phenotypic trait and multiple performance measures, and redundancies between multiple phenotypic traits and a single performance measure. The F-matrix is an intraspecific matrix of measures of statistical association between phenotype and performance that is used to quantify these relationships. We extend the F-matrix in two ways. First, we use the F-matrix to describe how the different phenotype-performance relationships occur simultaneously and interact in functional systems, a phenomenon we call many-to-many mapping. Second, we develop methods to compare F-matrices among species and compare phenotype-performance relationships at microevolutionary and macroevolutionary levels. We demonstrate the expanded F-matrix approach with a dataset of eight phrynosomatine lizard species, including six phenotypic traits and two measures of locomotor performance. Our results suggest that all types of relationships occur in this system and that phenotypic traits involved in trade-offs are more functionally constrained and tend evolve slower interspecifically than those involved in facilitations or one-to-one relationships.

  18. Z

    Data from: The Protective Function of Directed Asymmetry in the Pericellular...

    • data.niaid.nih.gov
    • zenodo.org
    Updated Jan 19, 2022
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Sibole, Scott C. (2022). The Protective Function of Directed Asymmetry in the Pericellular Matrix Enveloping Chondrocytes (Supporting Data) [Dataset]. https://data.niaid.nih.gov/resources?id=ZENODO_5874142
    Explore at:
    Dataset updated
    Jan 19, 2022
    Dataset provided by
    Moo, Eng Kuan
    Federico, Salvatore
    Sibole, Scott C.
    Herzog, Walter
    License

    Attribution 4.0 (CC BY 4.0)https://creativecommons.org/licenses/by/4.0/
    License information was derived automatically

    Description

    This dataset contains the images necessary to reproduce the study "The Protective Function of Directed Asymmetry in the Pericellular Matrix Enveloping Chondrocytes (DOI: 10.1007/s10439-021-02900-1)"

  19. Data from: A within-animal comparison of skilled forelimb assessments in...

    • zenodo.org
    • data.niaid.nih.gov
    • +1more
    csv, zip
    Updated May 28, 2022
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Andrew M. Sloan; Melyssa K. Fink; Amber J. Rodriguez; Adam M. Lovitz; Navid Khodaparast; Robert L. Rennaker; Seth A. Hays; Andrew M. Sloan; Melyssa K. Fink; Amber J. Rodriguez; Adam M. Lovitz; Navid Khodaparast; Robert L. Rennaker; Seth A. Hays (2022). Data from: A within-animal comparison of skilled forelimb assessments in rats [Dataset]. http://doi.org/10.5061/dryad.5v2t8
    Explore at:
    csv, zipAvailable download formats
    Dataset updated
    May 28, 2022
    Dataset provided by
    Zenodohttp://zenodo.org/
    Authors
    Andrew M. Sloan; Melyssa K. Fink; Amber J. Rodriguez; Adam M. Lovitz; Navid Khodaparast; Robert L. Rennaker; Seth A. Hays; Andrew M. Sloan; Melyssa K. Fink; Amber J. Rodriguez; Adam M. Lovitz; Navid Khodaparast; Robert L. Rennaker; Seth A. Hays
    License

    CC0 1.0 Universal Public Domain Dedicationhttps://creativecommons.org/publicdomain/zero/1.0/
    License information was derived automatically

    Description

    A variety of skilled reaching tasks have been developed to evaluate forelimb function in rodent models. The single pellet skilled reaching task and pasta matrix task have provided valuable insight into recovery of forelimb function in models of neurological injury and disease. Recently, several automated measures have been developed to reduce the cost and time burden of forelimb assessment in rodents. Here, we provide a within-subject comparison of three common forelimb assessments to allow direct evaluation of sensitivity and efficiency across tasks. Rats were trained to perform the single pellet skilled reaching task, the pasta matrix task, and the isometric pull task. Once proficient on all three tasks, rats received an ischemic lesion of motor cortex and striatum to impair use of the trained limb. On the second week post-lesion, all three tasks measured a significant deficit in forelimb function. Performance was well-correlated across tasks. By the sixth week post-lesion, only the isometric pull task measured a significant deficit in forelimb function, suggesting that this task is more sensitive to chronic impairments. The number of training days required to reach asymptotic performance was longer for the isometric pull task, but the total experimenter time required to collect and analyze data was substantially lower. These findings suggest that the isometric pull task represents an efficient, sensitive measure of forelimb function to facilitate preclinical evaluation in models of neurological injury and disease.

  20. d

    Data from: Flow in fetoplacental-like microvessels in vitro enhances...

    • search-dev.test.dataone.org
    • search.dataone.org
    • +3more
    Updated Dec 12, 2023
    Share
    FacebookFacebook
    TwitterTwitter
    Email
    Click to copy link
    Link copied
    Close
    Cite
    Marta Cherubini; Scott Erickson; Prasanna Padmanaban; Per Haberkant; Frank Stein; Violeta Beltran Sastre; Kristina Haase (2023). Flow in fetoplacental-like microvessels in vitro enhances perfusion, barrier function, and matrix stability [Dataset]. http://doi.org/10.5061/dryad.jq2bvq8gg
    Explore at:
    Dataset updated
    Dec 12, 2023
    Dataset provided by
    Dryad Digital Repository
    Authors
    Marta Cherubini; Scott Erickson; Prasanna Padmanaban; Per Haberkant; Frank Stein; Violeta Beltran Sastre; Kristina Haase
    Time period covered
    Jan 1, 2023
    Description

    Proper placental vascularization is vital for pregnancy outcomes, but assessing it with animal models and human explants has limitations. Here, we present a 3D in vitro model of human placenta terminal villi that includes fetal mesenchyme and vascular endothelium. By co-culturing HUVEC, placental fibroblasts, and pericytes in a macro-fluidic chip with a flow reservoir, we generate fully perfusable fetal microvessels. Pressure-driven flow is crucial for the growth and remodeling of these microvessels, resulting in early formation of interconnected placental-like vascular networks and maintained longevity. Computational fluid dynamics simulations predict shear forces, which increase microtissue stiffness, decrease diffusivity and enhance barrier function as shear stress rises. Mass-spec analysis reveals the deposition of numerous extracellular proteins, with flow notably enhancing the expression of matrix stability regulators, proteins associated with actin dynamics, and cytoskeleton orga..., Please see the methods section in the manuscript for details on collection and processing., , 1. Title of Dataset: Flow in fetoplacental-like microvessels in vitro enhances perfusion, barrier function, and matrix stability

    1. Author Information Principal Investigator Contact Information Name: Kristina Haase Institution: European Molecular Biology Laboratory (EMBL) Address: Barcelona, Spain Email:

    2. Date of data collection (single date, range, approximate date): 2022-2023

    3. Geographic location of data collection: Barcelona, Spain

    4. Information about funding sources: This work was supported by funds from the European Molecular Biology Laboratory (EMBL) and is part of project number PID2020-116745GA-I00, funded by the Spanish Agencia Estatal de Investigación (AEI).

    SHARING/ACCESS INFORMATION

    1. Licenses/restrictions placed on the data: CC0 1.0 Universal (CC0 1.0) Public Domain Dedication

    2. Links to publications that cite or use the data:

    Cherubini M., Erickson S., Padmanabn P., Haberkant P., Stein F., Beltran-Sastre V. & Haase K. (2023)...

Share
FacebookFacebook
TwitterTwitter
Email
Click to copy link
Link copied
Close
Cite
Zion Market Research (2025). Functional Composites Market By Matrix Type [Polymer Matrix Composites, Ceramic Matrix Composites, Hybrid Matrix Composites, and Metal Matrix Composites], By Function [Magnetic, Barrier, Optics, Thermally Conductive, Electrically Conductive, Optic], By End User [Transportation, Aerospace, Defense, Consumer Goods, Electronics, Construction, Building, Storage and Other], And By Region - Global And Regional Industry Overview, Market Intelligence, Comprehensive Analysis, Historical Data, And Forecasts 2023 - 2030- [Dataset]. https://www.zionmarketresearch.com/report/functional-composites-market
Organization logo

Functional Composites Market By Matrix Type [Polymer Matrix Composites, Ceramic Matrix Composites, Hybrid Matrix Composites, and Metal Matrix Composites], By Function [Magnetic, Barrier, Optics, Thermally Conductive, Electrically Conductive, Optic], By End User [Transportation, Aerospace, Defense, Consumer Goods, Electronics, Construction, Building, Storage and Other], And By Region - Global And Regional Industry Overview, Market Intelligence, Comprehensive Analysis, Historical Data, And Forecasts 2023 - 2030-

Explore at:
pdfAvailable download formats
Dataset updated
Mar 17, 2025
Dataset provided by
Authors
Zion Market Research
License

https://www.zionmarketresearch.com/privacy-policyhttps://www.zionmarketresearch.com/privacy-policy

Time period covered
2022 - 2030
Area covered
Global
Description

Global Functional Composites Market size was USD 44.51 billion in 2022 and is grow to USD 81.00 billion by 2030 with a CAGR of 7.77%.

Search
Clear search
Close search
Google apps
Main menu