-
Články
- Vzdělávání
- Časopisy
Top články
Nové číslo
- Témata
- Kongresy
- Videa
- Podcasty
Nové podcasty
Reklama- Kariéra
Doporučené pozice
Reklama- Praxe
Efficient processing of raster and vector data
Authors: Fernando Silva-Coira aff001; José R. Paramá aff001; Susana Ladra aff001; Juan R. López aff001; Gilberto Gutiérrez aff002
Authors place of work: Universidade da Coruña, Centro de investigación CITIC, Facultade de Informática, Campus de Elviña, s/n, A Coruña, Spain aff001; Universidad del Bío-Bío, DCCTI, Chillán, Chile aff002
Published in the journal: PLoS ONE 15(1)
Category: Research Article
doi: https://doi.org/10.1371/journal.pone.0226943Summary
In this work, we propose a framework to store and manage spatial data, which includes new efficient algorithms to perform operations accepting as input a raster dataset and a vector dataset. More concretely, we present algorithms for solving a spatial join between a raster and a vector dataset imposing a restriction on the values of the cells of the raster; and an algorithm for retrieving K objects of a vector dataset that overlap cells of a raster dataset, such that the K objects are those overlapping the highest (or lowest) cell values among all objects. The raster data is stored using a compact data structure, which can directly manipulate compressed data without the need for prior decompression. This leads to better running times and lower memory consumption. In our experimental evaluation comparing our solution to other baselines, we obtain the best space/time trade-offs.
Keywords:
Data management – Algorithms – Leaves – memory – Decision making – Cost models – Language – Data compression
Introduction
When dealing with spatial data, depending on the particular characteristics of the type of information, it may be more appropriate to represent that information (at the logical level) using either a raster or a vector data model [1]. The advance of the digital society is providing a continuous growth of the amount of available vector data, but the appearance of cheap devices equipped with GPS, like smartphones, is responsible for a big data explosion, mainly of trajectories of moving objects. The same phenomenon can be found in raster datasets, where the advances in hardware are responsible for an important increment of the size and the amount of available data. Only taking into account the images acquired by satellites, several terabytes of data are generated each day [2], and it has been estimated that the archived amount of raster data will soon reach the zettabyte scale [3].
This big increase in the variety, richness, and amount of spatial data has also led to new information demands. Nowadays, many application areas require the combination of data stored in different formats [4] to run complex analysis. Obviously, combining different data models becomes more difficult when dealing with large amounts of data.
Although there is a large body of research regarding the size, the analysis, and the heterogeneity of data, in the case of spatial data, in most cases, that research is focused either on the vector model or on the raster model separately. The two models are rarely handled together. For instance, the usual solution for queries that involve (together) raster and vector datasets is to transform the vector dataset into a raster dataset, and then to use a raster algorithm to solve the query. This is the solution for the zonal statistics operation of Map Algebra in, at least, ArcGIS and GRASS [5, 6].
However, some previous research has addressed the problem using a joint approach. In [4], a single data model and language is proposed to represent and query both vector and raster data at the logical level. Even a Join operator is suggested, which allows combining, transparently and interchangeably, vector datasets, raster datasets, or both. As an example, the authors propose the query “return the coordinates of the trajectory of an aircraft when it was over a ground with altitude over 1,000”. Unfortunately, no implementation details are given.
Other previous contributions deal with the implementation of query operators that are explicitly defined for querying datasets in different formats [7–10]. Some of them tackled the Join, or a close query, but in this case, these works suffer from limitations (data structures not functional enough, too restrictive join operations, size problems) that will be explained more in detail in the next section.
On the other hand, compression has been used traditionally with the aim of just reducing the size of the datasets in disk and during network transmissions. However, it has recently begun to be used as a way to obtain improvements in other dimensions, such as processing time or scalability [11]. In the last few years, several authors [12–15] have proposed the use of modern compact data structures [16] to represent raster datasets. Compact data structures use compression to reduce the size of the stored dataset, but with the novelty that the compressed data structure can be managed directly in compressed form, even in main memory. By saving main memory, we obtain a more scalable system, but at the same time, we take advantage of a better usage of the memory hierarchy, and thus obtain better running times. This strategy is sometimes called “in-memory” data management [17]. In addition, many compact data structures are equipped with an index that, in the same compressed space, speeds up the queries. This feature is known as “self-indexation”. One example of these compact data structures designed for raster data, and the one achieving the best space/time trade-offs [15], is the k2-raster [14], which will be used in this work, thus extending its functionality.
In this work, we propose to use a new framework to store and manage raster and vector datasets. The vector dataset is stored and indexed in a traditional way, using an R-tree [18]. For the raster data, instead, we propose to use a modern compact data structure, the k2-raster, which improves the performance of traditional methods.
The algorithms to manage independently each type of data and its corresponding data structure are well-known [14, 19]. However, as explained, the algorithms to process both types of data jointly have been much less studied. Therefore, our proposal requires the design of new algorithms. In this work, we present two new algorithms that are able to efficiently answer two operations having as input a vector dataset and a raster dataset. The first one is a spatial join between the two input datasets imposing a range restriction on the values of the raster dataset. The second algorithm obtains the top-K different objects of the vector dataset overlapping the highest (or lowest) values of the raster dataset.
Our proposal obtains important savings in disk space, which are mainly due to the use of a k2-raster for representing the raster data. In our experiments, the compressed raster data occupied between 9% and 73% of the disk space needed by the original uncompressed raster data. However, the main contributions of this paper are the algorithms for solving the aforementioned operations, which obtain savings also in main memory consumption and processing time. Although the k2-raster was designed to be used directly in compressed form, it is not trivial to save main memory while processing it. Thus, designing these algorithms becomes challenging, as the direct management of compressed data and indexes requires complex data structures and processes, which could negatively impact the results in main memory consumption and running time.
Related work
Spatial data can describe the space using two levels of abstraction. On the conceptual level, models describe the space using two different approaches: object-based spatial models and field-based spatial models [20]. It is in the logical level where spatial data models are divided into vector models and raster models.
Few data models consider the possibility of jointly using the object-based and the field-based spatial models. Even international standards separate both views [21, 22]. The same situation can be found at the logical level, where international standards [23, 24] separate again both views and do not provide languages, data structures, or algorithms to perform queries that use information from both data models simultaneously.
Those geographical information systems that are capable of managing raster data are usually equipped with the operators of Map Algebra [25, 26]. Sometimes, as in the case of ArcGIS or GRASS, they support a variation of the zonal statistics operation that, instead of receiving two input rasters, admit one vector dataset and one raster dataset. However, the vector dataset is first internally transformed into a raster dataset, such that a usual zonal statistics operation is executed over two raster datasets [5, 6].
The works in [27–29] provided the definition of data models and query languages to manage vector and raster data, but using a different set of query operators for each type of data.
Grumbach et al. [4] proposed a data model to represent vector and raster data with the same data abstraction. It includes spatial versions of relational model operations like Projection, Selection, and Join. These operations can manipulate vector and raster information without having to separate or distinguish the type of operands.
Brown et al. [30] presented a data model that represents vector and raster data with a data abstraction based on multidimensional arrays. These works present data types, storage structures, and operators to query vector and raster data, sometimes jointly, but unfortunately no details of implementation issues are provided (neither about the data structures nor the algorithms needed to support the model and the queries).
Corral et al. [7] presented five algorithms for processing a join between a vector dataset, indexed with an R-tree, and a raster dataset, indexed with a linear region quadtree. In [8], it is shown an operation between regions and moving objects that obtains the predictive overlapping between them. A linear region quadtree is used again to index the raster dataset, whereas the predictive nature of the operation requires a different index for the vector data, namely a TPR*-tree. Unfortunately, these works tackled only binary rasters, cells contain only black or white colours, and therefore they have a very limited real application.
In [10], it was presented the scanline method, which is an algorithm to run the zonal statistics operation between a raster and a vector datasets without any previous transformation.
Brisaboa et al. [9] presented a framework to store and manage vector and compressed raster data, as well as an algorithm to solve a query that, given a vector and a raster dataset, returns the elements of the vector dataset overlapping regions of the raster dataset that fulfill a range constraint. For example, having a vector dataset representing the neighbourhoods of a city and a raster storing the amount of nitrogen oxides in the air, a query could be “return the neighbourhoods overlapping points where the concentration of nitrogen oxide is above 0.053 ppm”. However, their solution does not return the exact cells of the raster fulfilling the range constraint. The vector dataset is indexed with an R-tree. The raster dataset is represented and indexed with a compact data structure called k2-acc [12], which needs a separate tree-based data structure for each distinct value in the raster. More concretely, they use a compact data structure called k2-tree [31] for each value. The k2-tree is a space - and time - efficient version of a region quadtree [32–34], the typical index for binary raster data. To solve the query, the algorithm just requires the k2-trees representing the values at the extremes of the range and the R-tree. The search starts at the root of the three trees and then proceeds in parallel a top-down traversal over all of them, pruning the branches of the trees when possible. The k2-acc has two problems. First, it works well for range queries, that is, those specifying a range of values of the raster dataset (like the nitrogen oxide example just exposed); but obtains modest response times for other queries, such as obtaining the value of a given cell. The other problem of the k2-acc concerns the size of the dataset. It is a compact data structure that gives good compression rates when the number of distinct values in the dataset is low. However, when the number of different values is large, the dataset occupies much more space than its uncompressed representation [13, 14], and scales really poorly when executing most queries.
The framework proposed in this paper does not have any of these two problems of [9], due to the use of a k2-raster to represent raster datasets. Therefore, as the k2-raster works well for all types of queries, and compresses the dataset even when the number of different values in the dataset is large, the framework achieves significant savings in query time, as well as, in space, in both disk and main memory. In addition, the join operation included in our proposal differs from the one presented by Brisaboa et al., as our join algorithm also returns the cells of the raster dataset fulfilling the query constraints, that is, it is a real join.
Background
In this section, we review the main techniques that will be used as basis of our proposal, and also some baselines that will be used to evaluate its performance.
Since it is a well-know data structure, we are not going to introduce here the R-tree [18], but we will include a brief explanation of the k2-raster, the k2-treap, and NetCDF to represent raster data.
k2-raster
The k2-raster [13, 14] is a compact data structure for storing an integer raster matrix in compressed form and, at the same time, indexing it. It consists in a compressed representation that allows fast queries over the raster data in little space. It efficiently supports queries such as retrieving the value of a specific cell or finding all cells containing values within a given range.
The k2-raster exploits the uniformity of the integer matrix to obtain compression. Following an analogous strategy to that of the k2-tree [31], given a raster matrix and a parameter k, the k2-raster recursively subdivides the matrix into k × k submatrices and builds a conceptual tree representing these subdivisions and the minimum and maximum values of each submatrix. The subdivision stops in case that the minimum and maximum values contained in the submatrix are equal. This conceptual k2-ary tree is then compactly represented using binary bitmaps and efficient encoding schemes for integer sequences. This leads to a compressed representation of the raster matrix with efficient indexing capabilities.
More concretely, let n × n be the size of the input matrix, being n a power of k. To build the k2-raster, it is necessary, first, to compute the minimum and maximum values of the matrix. If these values are different, they are stored in the root of a tree, and the matrix is subdivided into k2 submatrices of size n/k × n/k. Each of these submatrices generates a child node in the tree, where its minimum and maximum values are also stored. In case that these values are the same, the corresponding submatrix is not further subdivided. In case that these values are different, then this procedure continues recursively until the subdivision stops due to finding a uniform submatrix, where all the values are the same, or until no further subdivision is possible due to submatrices of size 1 × 1.
In case that the raster matrix is not squared or n is not power of k, the matrix can be easily expanded to the squared matrix with size the following power of k, without imposing significant extra space.
Fig 1 shows an example of the recursive subdivision (top) and how the conceptual tree is built (centre-top), where the minimum and maximum values of each submatrix are stored at each node. The root node corresponds to the original raster matrix, nodes at level 1 of the tree correspond to submatrices of size 4 × 4, and so on. The last level of the tree corresponds to cells of the original matrix. Notice, for instance, that all values of the bottom-right 4 × 4 submatrix are equal; thus, its minimum and maximum values are equal, and it is not further subdivided. This is the reason why the last child of the root node has no children.
Fig. 1. k2-raster example. Example of integer raster matrix (top), conceptual tree of the k2-raster (centre-top), conceptual tree using differential encoding (centre-bottom), and final representation of the raster matrix using compact data structures (bottom). rMax and rMin denote the maximum and minimum values of the root node. Lmax and Lmin contain the maximum and minimum values of each node, following a level-wise order and using differential encoding. This example uses k = 2. To obtain a compressed representation of this conceptual tree, the k2-raster uses two different approaches, one for representing the topology of the tree, and another for the maximum and minimum values stored at its nodes. On one hand, the shape of the tree is encoded using a bitmap, indicating in level-wise order whether a node has children or not. This corresponds to a simplified variant of LOUDS (level-ordered unary degree sequence) tree representation [35], which is a compact representation for trees. On the other hand, the maximum and minimum values are compactly encoded as the difference with respect to the maximum/minimum value stored at the parent node. These non-negative differences are stored as arrays, following the same level-wise order of the tree. The fact that the differences tend to be small is exploited using Directly Addressable Codes (DACs) [36], an encoding scheme for integer sequences that provides good compression and direct access to any given position. At leaf nodes of the tree, only the maximum value is stored (as the minumum is the same).
We illustrate at Fig 1 the final representation of the example matrix included at the top. In the centre-bottom part of the figure, we show the tree with the differences for the maximum and minimum values, whereas the data structures that compose the final representation of the k2-raster are shown at the bottom part. Hence, the original raster matrix is compactly stored using just a bitmap T, which represents the tree topology, and a series of compressed integer arrays, which contain the minimum and maximum values stored at the tree. Notice that when the raster matrix contains uniform areas, with large areas of equal or similar values, this information can be very compactly stored using differential and DACs encodings.
The k2-raster not only obtains a very compressed representation of the raster matrix, but it also self-indexes the data, enabling fast queries over the raster matrix. These queries can be efficiently computed by navigating the k2-raster; it is possible to simulate a top-down traversal over the conceptual tree by accessing the bitmap and the compact integer sequences in a very efficient way. In fact, some queries, such as finding cells having values within a specific range, can be answered faster with a k2-raster representation than having the raster matrix in plain form, even when the k2-raster requires much less memory space.
It is possible to obtain better compression and navigation efficiency by using different k values for each level. In particular, using just two values of k works well in practice. This hybrid variant will be used in the experimental evaluation. It requires three parameters: n1, k1, and k2, which indicate that k = k1 for the first n1 levels, and then k = k2 for the rest.
As a summary, the k2-raster joins three interesting characteristics in just one data structure: i) it compactly stores the data; ii) the tree is a spatial index, in fact it is built with the same procedure used by quadtrees, the typical index for raster datasets; and iii) the minimum and maximum values stored at the nodes of the tree index the values stored at cells. This last indexation is usually known as lightweight indexing, as it is inexpensive to offer [37–39].
Compared to k2-acc, the technique used in [9], the k2-raster not only obtains less space consumption and query performance, but it also scales better when increasing the size of the input data or when the raster matrix contains a large number of different values.
k2-treap
The k2-treap [40] is a data structure designed for answering fast top-K queries over a grid of points, where the points have weights. It conceptually combines a k2-tree with a treap data structure. Thus, thanks to the k2-tree properties, it obtains compact spaces for representing the grid of points; and as it follows the ideas of a treap, it allows fast ranked queries.
The k2-treap shares some common strategies with the k2-raster. Conceptually, it is also a k2-ary tree with some extra information in the nodes. Given a grid of points with weights (an integer matrix where some of the cells may contain no data), it locates the maximum value of the grid and stores this value along with its coordinates in the root node. Then, this maximum value is removed from its position, and the grid is subdivided into k × k submatrices. Each submatrix is represented in the tree as a child node, and the same procedure is repeated recursively. Leaf nodes in the k2-treap represent submatrices where there are no more points with weights. This k2-ary tree is also represented using compact data structures, including succinct bitmaps, differential encoding and DACs. Top-K queries over the grid are solved very fast, as the maximum values are indexed in the tree.
The k2-raster and k2-treap structures have not been compared before, as they have been designed for representing different types of data. The k2-treap can also be used for representing raster data, where the grid is full of points with weights, and to solve access queries efficiently. However, the k2-raster indexes the values of the raster better, as it stores not only the maximum, but also the minimum values, thus allowing us to search for cells with values in a specific range. Space requirements would depend on the uniformity of the raster matrix, as k2-rasters can compact large areas of equal values, whereas k2-treaps cannot exploit that property.
NetCDF
Network Common Data Form (NetCDF) [41] includes the data format and software libraries to compress, access and share array-oriented scientific data. More particularly, it can also be used for compressing raster matrices and allows accessing compressed datasets transparently without performing any explicit decompression procedure. Internally, NetCDF uses Deflate [42], which can be configured in ten compression levels. The compressed file is divided into blocks in such a way that when a portion of the raster is required, the library has to decompress one or more of those blocks.
NetCDF and k2-raster have been compared recently [14]. k2-raster obtains compression ratios close to those achieved by NetCDF. NetCDF is faster than k2-raster when accessing large portions of the data sequentially. On the other hand, k2-raster obtains better access times to individual raster cells and when solving queries specifying conditions on the values of the raster. These queries are solved orders of magnitude faster, even compared with querying uncompressed NetCDF files, thanks to the indexing capabilities of the k2-raster. Moreover, these two techniques follow different approaches, as NetCDF follows a classical disk-based approach, whereas k2-raster is designed to operate completely in main memory.
A framework to store and process vector and raster data
In our framework, the vector datasets are stored using a traditional setup indexed with R-trees, and the raster datasets are stored and indexed using k2-rasters. Next, we present two operations over that framework, which admit as input a vector dataset and a raster dataset.
Throughout the article, we will use the example of Fig 2 to illustrate our explanations. The left part of the figure shows a vector dataset, and the right part shows a raster dataset. Using solid lines, the vector objects (labeled with lowercase letters) are depicted surrounded by their Minimum Bounded Rectangles (MBRs) that, for our example, are also the MBRs at the leaves of the R-tree indexing them. The MBRs surrounded by rectangles with thick and very sparse lines (M1, M2, and M3) are the MBRs of the children of the root of the R-tree.
Fig. 2. A vector dataset (left) and a raster dataset (right). A vector dataset (left), and its MBRs, and a raster dataset (right), with the regions (quadrants) delimited by the divisions of the k2-raster. For clarity, the last level of the k2-raster is omitted. Regarding the raster dataset at Fig 2 (right), we show its cell values in light grey. The dotted lines are the regions of the space delimited by the splitting process of the k2-raster (a hybrid one, n1 = 2, k1 = 2, and k2 = 4). We call these regions quadrants. The thicker and densely dotted lines delimit the first level quadrants, denoted as q1, q2, q3, and q4. The thinner and sparser dotted lines delimit the second level quadrants (q11, q12, …, q43, q44). In the raster dataset, we also draw the MBRs of the vector objects, with solid lines too, in order to easily see the overlays between the two datasets. Under the raster, we also show the conceptual k2-raster without the last level, since it just includes all the cells shown in the raster.
Basic definitions
We will use the following notation during the next sections:
-
pr denotes a pointer to an R-tree node;
-
pr.MBR denotes the MBR stored at node pr;
-
pr.ref denotes the list of pointers to the children of an internal node pr, or the list of objects identifiers of a leaf node pr;
-
pk denotes a pointer to a k2-raster node;
-
pk.quad denotes the quadrant corresponding to pk;
-
pk.max denotes the maximum value stored at pk; and
-
pk.min denotes the minimum value stored at pk.
Efficient spatial join between raster and vector datasets
In this section, we present an algorithm to compute the join between a raster and a vector dataset, imposing a range constraint on the values of the raster. Therefore, the algorithm returns the elements of a vector dataset (polygons, lines, or points) and the position of the cells of the raster dataset that overlap each other, such that the cells have values in a given range [vb, ve]. Formally, the query can be defined as:
Definition 1. Let V be a set of vector objects, R be the set of cells of a raster, and [vb, ve] a range of values. For any Ou ∈ V and Cw ∈ R, let O u S c and C w S c be the spatial components of those elements and C w V a l the value stored at that cell. The join between the raster and the vector datasets, V ⋈ R[vb, ve], returns the set of tuples { ( O 1 , 〈 C 1 1 S c , … C 1 l 1 S c 〉 ) , ( O 2 , 〈 C 2 1 S c , … C 2 l 2 S c 〉 ) , … , ( O n , 〈 C n 1 S c , … C n l n S c 〉 ) } such that O i S c ∩ C i y S c ≠ ∅ and v b ≤ C i y V a l ≤ v e, for 1 ≤ i ≤ n, 1 ≤ y ≤ li.
That is, for each object of the vector dataset fulfilling the query constraints, the query returns the spatial component of the cells overlapping that object and having values in the queried range.
It is also possible to apply spatial restrictions on both datasets, that is, to restrict the join to windows or regions of the vector and the raster dataset.
In an index, handling directly the exact geometries of indexed spatial objects would require complex and slow computations, thus making the index ineffective. Thus, when a query with spatial restrictions is run on a dataset indexed using MBRs, it is performed in two steps [43, p.203]. The first step, usually called filter step, retrieves the objects with MBRs fulfilling the constrains of the query. This step traverses the index applying the spatial constraints to the MBRs. The output can contain MBRs that satisfy the spatial constraints, whereas the exact geometry of the objects it contains does not. Then a second step, usually called refinement step, traverses the output of the filter step using the exact geometries of the objects to test if they are actually part of the solution. This second step is costly but it is generally applied over a much smaller number of objects. For the operation tackled in this section, we focus on the filter step.
In our algorithm, in order to reduce even more the burden of the refinement step, our filtering step separates all the selected MBRs into separate lists of definitive results and probable results. Both lists include tuples formed by an object Oi and the spatial component of the cells overlapped by the leaf MBR surrounding Oi (MBRi) that have values within the queried range.
-
For any tuple of the definitive list, it holds that all the cells overlapped by MBRi fulfill the range criterion, and thus, it is known for sure that Oi is part of the final result (and does not need to be processed during the refinement step).
-
For any tuple of the probable list, it holds that only some cells overlapped by MBRi fulfill the range criterion. Therefore, the refinement step must be applied on Oi to check if it is part of the final result.
Checking the overlap
The most critical operation of the join operation is to check whether a MBR of the vector dataset overlaps a region of the raster dataset having values within the queried range. This operation should be fast to obtain good running times. Therefore, our algorithm first tries a less accurate check (checkQuadrantJ) that sometimes is enough to make a decision. When it is not, the algorithm runs a second and more precise check (checkMBR), which is obviously more expensive.
checkQuadrantJ(pr, pk, CellsRange) receives as input a pointer pr to an R-tree node, a pointer pk to a k2-raster node, and the range of values of the query. It outputs a pair (typeOverlapQuad, p k deep), where p k deep is a pointer to the deepest quadrant descendant of pk, which completely contains pr.MBR. The value of typeOverlapQuad depends exclusively on the raster values distribution inside the selected quadrant, and is one of the following:
-
TotalOverlap indicates that all the cells within p k deep . quad have values in the queried range. Thus, in this case, without any further check, the algorithm determines that all the objects within pr.MBR are part of the solution and can be included in the definitive list.
-
PossibleOverlap indicates that p k deep . quad contains some cells having values within the queried range, but also some cells with values outside that range. Therefore, it is not possible to make a decision at this point of the algorithm, and thus a more thorough analysis is required.
-
NoOverlap indicates that p k deep .quad contains only cells of the raster that do not have values in the queried range. Thus, in this case, the algorithm can determine without any further check that all the objects within pr.MBR are not part of the solution, and thus, the subtree rooted at that node can be discarded.
checkMBR(pr, pk,CellsRange) receives as input a pointer pr to a leaf R-tree node, a pointer pk to a k2-raster node, and the range of values of the query. It returns only a variable typeOverlapMBR whose possible values are:
-
TotalOverlap indicates that all the quadrant cells overlapping pr.MBR have values in the queried range. Thus, this implies that all the objects within pr.MBR and the overlapping cells do not need to go through the refinement step, and therefore, they are included in the definitive list.
-
PartialOverlap indicates that the geometry of pr.MBR overlaps some quadrant cells having values in the queried range, but some others that do not. Thus, this implies that the objects within pr.MBR and the overlapping cells must go through the refinement step, and therefore, they are included in the probable list.
-
NoOverlap indicates that the exact geometry of pr.MBR overlaps only cells of the raster quadrant that do not have values in the queried range. Therefore, all the objects within pr.MBR are not part of the result.
checkQuadrantJ performs an preliminary less accurate check that, in some cases, allows the algorithm to make a decision. The key idea is that checkQuadrantJ is very fast. It starts at the node of the k2-raster provided as input, and then navigates the tree downwards selecting at each node the unique child that completely contains the MBR of the R-tree node, as long as the range of values delimited by the minimum and maximum values of the k2-raster node intersect the query range. The navigation stops when none of the children of the reached k2-raster node completely contains the MBR of the R-tree node, or when the minimum and maximum values of the k2-raster node do not intersect the query range.
checkMBR is the more accurate operation. Obviously, this operation is more expensive, as it needs to navigate downwards all the children of the processed k2-raster node that overlap the MBR of the R-tree node, until reaching all the cells (leaves of the k2-raster) overlapping the MBR.
Example: Let us take our running example at Fig 2 to illustrate these operations. Considering as input a pointer to the R-tree node whose MBR is m12, a pointer to the root node of the k2-raster, and the range of cell values [4, 5], checkQuadrantJ starts comparing the minimum and maximum values of the root ([1, 5]) with the queried range ([4, 5]). Since these ranges intersect, the navigation continues by checking if one of the children of the root of the k2-raster completely contains m12. This holds for q2, and thus the process continues, again checking if the minimum and maximum values at that node ([1, 3]) intersect the queried range ([4, 5]). Since this is not the case, the operation ends outputting typeOverlapQuad = NoOverlap. This is a good example to see that it is possible to conclude that the content of m12 can be discarded already at the upper levels of the k2-raster, in a fast way and without any further inspection of the input data.
Now, let us consider checkQuadrantJ having as input the R-tree node corresponding to the leaf MBR m22, the root node of the k2-raster, and the queried range [4, 5]. After checking the minimum and maximum values at the root of the k2-raster, the navigation goes to q3, the child that completely contains m22. The maximum and minimum values at that node ([1, 5]) intersect the query range, but they are not fully within the queried range [4, 5]. Since no smaller quadrant of q3 completely contains m22, the checkQuadrantJ procedure ends outputting typeOverlapQuad = PossibleOverlap. Therefore, the algorithm has to continue performing a deeper analysis using checkMBR procedure, taking as input a pointer to the R-tree node of m22 and a pointer to the k2-raster node of q3. Now the output is typeOverlapMBR = TotalOverlap, therefore all the objects inside m22 and the overlapping cells are added to the definitive list. This example shows that even when calling checkMBR, we take advantage from using the R-tree index, avoiding any further inspection of spatial objects inside some of the MBRs.
The algorithm
Algorithm 1 shows the pseudocode of the procedure that computes the filter step of the join of Definition 1. It receives as parameters a pointer to the root node of both the R-tree and the k2-raster, and the query range of values of the cells of the raster. The two lists of definitive and probable results are declared in Line 1. Line 2 defines a stack used throughout the process, which keeps the nodes of both trees to be processed.
In Lines 3–4, for each child of the root of the R-tree, the stack is initially filled with a pair containing a pointer to that child and a pointer to the root of the k2-raster. The while in Line 5 is the main loop of the algorithm, which in each iteration processes the top of the stack. As explained, it first tries a checkQuadrantJ operation. In Line 8, a TotalOverlap result allows the algorithm to make a decision and Lines 9–12 add the affected objects and cells to the definitive list.
In case typeOverQuad is PossibleOverlap, the algorithm is forced to continue performing a deeper analysis. In Line 14, if the processed node of the R-tree is internal, the algorithm adds its children to the stack, along with a pointer to the deepest quadrant containing the node (p k deep), and a new iteration of the main while starts. If the R-tree processed node is a leaf, then a checkMBR call is issued. If the answer is TotalOverlap, the objects and the overlapping cells are added to the definitive list. A PartialOverlap implies the same addition but, this time, to the probable list. In both cases, the ExtractCells method uses the k2-raster to retrieve the coordinates of all the valid cells of p k deep overlapping the MBR.
Algorithm 1: Join (prRoot, pkRoot, [vb, ve])
1 Let Def and Prob be lists of tuples of the form ( O i , 〈 C i 1 S c , … C i l n S c 〉 ) /* The lists of definitive and probable results */
2 Let S be a stack with pairs (pr, pk) /* pr is a pointer to an R-tree node and pk a pointer to a k2-raster node */
3 forall prChild ∈ prRoot.ref do
4 push(S, (prChild, pkRoot)) /* For each child of the root node of the R-tree, insert into the stack a pair with pointers to that node and to the root of the k2-raster */
5 end
6 while S ≠ empty do
7 (pr, pk)← pop(S)
8 (p k deep,typeOverlapQuad)← checkQuadrantJ(pr, pk, [vb, ve])
9 if typeOverQuad = TotalOverlap then
10 if isLeafNode(pr) then
11 addResult(pr, ExtractCells(pr, p k deep), Def) /* Adds spatial objects and overlapping cells (having values in the queried range) to Def */
12 else
13 addDescendantsLeaves (pr.ref, p k deep), Def)) /* Adds spatial objects and overlapping cells in descendant leaves to Def */
14 end
15 else if typeOverlapQuad = PossibleOverlap then
16 if isInternalNode(pr) then
17 forall prChild ∈ pr.ref then
18 push(S, (prChild, p k deep))
19 end
20 else
21 typeOverlapMBR← checkMBR(pr, p k deep, [vb, ve])
22 if typeOverlapMBR = TotalOverlap then
23 addResult(pr, ExtractCells(pr, p k deep), Def)
24 else if typeOverlapMBR = PartialOverlap then
25 addResult(pr, ExtractCells(pr, p k deep), Prob)
26 end
27 end
28 end
29 end
30 return (Def,Prob)
As explained, the basic idea is to try to solve the query in the highest possible level of the two trees with the faster CheckQuadrantJ, and only when this is not possible, and we reach a leaf node, checkMBR is issued.
Example: Using our running example and the query range [4, 5], we are going to illustrate the operation of the algorithm. The stack is initially filled with three pairs, each containing a pointer to the root of the k2-raster and a pointer to one of the children of the root of the R-tree, that is, to the nodes corresponding to M1, M2, and M3 (see Step 1 of Table 1).
Tab. 1. Content of the stack during the example. First, checkQuadrantJ is called (Line 7) with the top of the stack (M1, qroot), which outputs (NoOverlap, q2), given that the minimum-maximum values corresponding to q2 ([1, 3]) do not intersect [4, 5]. Therefore, in this case, we can see one of the best cases for our algorithm, since it prunes a whole subtree rooted at one of the children of the root of the R-tree.
Then, the next top of the stack, (M2, qroot), is processed. The checkQuadrantJ call returns (PossibleOverlap, q3), and then, since M2 is not a leaf, Line 16 adds to the stack an entry, for each of its children (m21, m22), with a pointer to that node and another to q3 (see Step 3 of Table 1).
Now, the next top of the stack, (m21, q3), is provided as input to checkQuadrantJ, which returns (NoOverlap, q32), and then, it is discarded. With (m22, q3), checkQuadrantJ returns (PossibleOverlap, q3); observe that no child of q3 completely contains m22. Therefore, since m22 corresponds to a leaf, now the algorithm has to issue a checkMBR call, which returns a TotalOverlap value, and thus all the objects within m22 and the overlapping cells are added to the definitive list.
The next top of the stack is (M3, qroot), as shown in Step 4 of Table 1. checkQuadrantJ returns (PossibleOverlap, q4), and then, since M3 is not a leaf, Lines 14–16 push its children into the stack producing the result shown in Step 5.
checkQuadrantJ, with (m31, q4) as input, outputs (PossibleOverlap, q4). So, a call to checkMBR is issued, which returns a PartialOvelap, and therefore, the objects inside m31 and the overlapping cells having values in [4, 5] are added to the probable list. The call to checkQuadrantJ with the last stack entry (m32, q4) returns (TotalOverlap, q44), and thus the objects within m32 are added to the definitive list.
Top-K algorithm
This query returns the K objects of a vector dataset that overlap cells of a raster dataset, such that the K objects are those overlapping the highest (or lowest) cell values among all objects. Formally, we can define the top-K query for the highest values as (the definition for the lowest values is analogous):
Definition 2. Let V be a set of vector objects, and R be the set of cells of a raster. For any Ou ∈ V and Cw ∈ R, let O u S c and C w S c be the spatial components of those elements and C w V a l be the value stored at that cell. The top-K query topK(V, R) returns a set of K tuples { ( O 1 , C l 1 V a l ) , ( O 2 , C l 2 V a l ) , … , ( O K , C l K V a l ) }, such that O i S c ∩ C l i S c ≠ ∅, 1 ≤ i ≤ K, and C l i V a l ≥ C j V a l , for all pairs (Oj, C j V a l) such that they are not part of in any tuple of topK(V, R) and such that O j S c ∩ C j S c ≠ ∅ and, Oj ∈ V and Cj ∈ R.
An example of this query could be: let Z be a region of the space, R a raster dataset representing daily maximum temperatures in Z, and V a vector dataset with polygons representing farms, distributed along Z. Then, a top-K query could be “Obtain the 10 farms in V where the highest temperatures have been registered today”.
Checking the overlap
As in the previous query, the top-K algorithm uses the same basic idea of checkQuadrantJ and checkMBR, but with some modifications. For instance, the two-step separation (filtering, refining) is no longer possible in this case, as we will see; and we need new versions for the check operations.
The new checkQuadrantT receives a pointer pr to an R-tree node and a pointer pk to a node of the k2-raster and returns a pair (p k deep, maxdeep). The component p k deep is a pointer to the deepest descendant of pk that completely contains pr.MBR, and maxdeep is the max value stored at p k deep. Observe that maxdeep is a tentative maximum value for the real maximum value in the raster area overlapped by pr.MBR. The more accurate check is now checkGeometry(pr, pk), where pr is a leaf node. It returns a list of tuples (Oi, C l i V a l), with one tuple for each object in pr.ref, and where C l i V a l is the value stored at the cells of the raster, among those overlapped by the object, that contain the maximum value.
Again, checkQuadrantT is very fast, since it only checks the max/min values of the internal nodes of the k2-raster. The operation checkGeometry is more complex, because it obtains the raster portion that intersects with pr.MBR, and then, for each object in pr.ref, a computational geometry algorithm is used to obtain the real maximum value overlapped by that object, and the cells having that value. Observe that the computational geometry algorithm is essential here, and can not be postponed to a later refinement step. We are not able to discard candidates based on the tentative max value identified by checkQuadranT, because it is possible that none of the objects inside pr.MBR overlaps with any of the cells with that value.
The algorithm
Algorithm 2 shows the pseudocode of the operation top-K, for the highest values; the version for the lowest values is obtained by simply changing the max values by min values and vice-versa.
It receives, as input, pointers to the root of the R-tree and k2-raster, along with the value of K. The algorithm processes both trees in parallel again. When traversing internal nodes, only when a uniform raster quadrant is processed, a decision can be taken, since it is sure that all objects within that quadrant overlap cells having the maximum/minimum value stored at the corresponding node of the k2-raster.
If this is not enough to obtain K objects, the algorithm finally reaches the leaf MBRs, and processes them in an order defined by the maximum value inside the raster region which they overlap. However, it is possible that only few, or even none, of the objects within each MBR overlap the cells with that maximum value. Therefore, all those objects cannot still be added to the final result. They must be kept in a priority queue, and wait to be processed in the proper order, since the queue could still contain any pending object with a higher real maximum value, or any pending leaf MBR with a higher tentative value.
In the algorithm, the priority queue stores entries following the format (vect, pk, max, tent). tent is a flag to indicate whether the component max is tentative or a real value. Depending on the value of this flag, the values of the rest of components are: (i) tent = true, then vect is a pointer to an R-tree node and pk is a pointer to a k2-raster node; and (ii) tent = false, then vect is an object id and pk is a null value.
For each child of the root of the R-tree, Lines 3–5 add to the priority queue a pointer to that child, a pointer to the deepest node of the k2-raster that completely contains the MBR of that child, and the maximum value at that k2-raster node, and thus, the tent flag is set to true.
The iteration of the while loop in Line 6 starts by checking the tent component of the head of the queue. If it is false (Lines 9–10), then the algorithm extracts the head of the queue and its values are added to the result. Observe that a non tentative value means that the vect component is the id of an object, whose exact geometry had been already checked before by the checkGeometry procedure.
If the tent value is true, then the algorithm checks if the pointer to the k2-raster node points to a uniform area (the maximum and minimum values at the node are equal) in Line 13. In such a case, without checking the exact geometry of the objects at the leaves of the subtree rooted at prq, it is sure that those objects overlap cells with the retrieved maxq value, and thus they are added to the result (up to K entries) with the procedure addDescendantsLeaves, which traverses the R-tree downwards to retrieve them.
If the quadrant is not uniform, the algorithm checks if the pointer to the R-tree is a leaf or not (Line 15). If it is a leaf, since the max value obtained from the queue was tentative, the algorithm performs a call to checkGeometry. That call returns a list of tuples (Oi, C l i V a l), with one tuple for each polygon in the R-tree leaf. For each of those tuples, if the real maximum is equal to the tentative maximum value (Line 18), then that object is added to the response. If it is lower (Line 23), then it is added back to the priority queue, but now with the format (Oi, null, C l i V a l, false). If the pointer to the R-tree is not a leaf (Line 25), the algorithm adds to the priority queue each of the children, along with the deepest quadrant that completely contains it, along with its tentative maximum value.
Algorithm 2: Top-K (prRoot, pkRoot, K)
1 Let T and L be lists of elements (Ou, C l u V a l) /* T holds the output of the algorithm and L is a auxiliary list. */
2 Let Q be a priority queue with entries (vect, pk, max, tent)
3 forall prRef ∈ prRoot.ref do
4 (maxdeep, p k deep) ← checkQuadrantT(prRef,pkRoot) insert(Q, (prRef, p k deep, maxdeep, true))/* Inserts in the priority queue each child of the root node of the R-tree */
5 end
6 while Q ≠ empty and sizeOf(T)<K do
7 tent ← tent(head(Q)) /* Obtains the tent flag of the head of the queue */
8 if tent = false then
9 (Oq, null, maxq, tent)← head(Q) /* Extracts the head of the queue */
10 add(T, (Oq, maxq)) /* The max value at the priority queue is real, add to the result */
11 else
12 (prq, pkq, maxq, tent)← head(Q)
13 if pkq.min = pkq.max then
14 addDescendantsLeaves(T, prq, pkq, maxq)/* A uniform quadrant, all descendants can be added to the result */
15 else if isLeafNode(prq) then
16 L← checkGeometry(prq, pkq) /* Obtains a list of tuples */
17 forall ( O i , C l i V a l ) ∈ L do
18 if C l i V a l = m a x q then
19 add(T, (Oi, maxq)) /* The real value is equal to the tentative, then add to the output */
20 if sizeOf(T) = K then break;
21 else
22 insert(Q, (Oi, null, C l i V a l, false)) /* The real max is smaller than the tentative one; the object is inserted in the queue */
23 end
24 end
25 else
26 forall prRef ∈ prq.ref do
27 (maxdeep, p k deep) ← checkQuadrantT(prRef, pkq)/* It descends one level of the R-tree, and adapts the nodes of the k2-raster accordingly */ insert(Q, (prRef, p k deep, maxdeep, true))
28 end
29 end
30 end
31 end
32 return T
Example: Let us illustrate the algorithm computing a top-1 query over the example of Fig 2. Lines 3–5 add each child of the root of the R-tree to the priority queue. The first row of Table 2 shows the queue content after this first step.
Tab. 2. Content of the priority queue during the computation of a top-1 query over the example. Line 7 obtains the tent value of the head, and since it is true, Line 12 extracts the head (M2, q3, 5, true); since q3 is not uniform (the maximum and minimum values of q3 are different), and M2 is not a leaf, the flow reaches Line 25 and then, the children of M2 are added to the queue (see Step 2). Observe that, for each child, a call to checkQuadrantT provides the deepest quadrant that completely contains that child and the maximum value at that quadrant.
In the next iteration of the while loop, given that the head (m22, q3, 5, true) has a tentative maximum, q3 is not uniform, and m22 is a leaf, then the flow reaches Line 16 and checkGeometry(m22, q3) is issued. The response is (d, 4), and thus, the for loop of Line 17 only checks that entry; and since the real maximum is smaller than the tentative one (Line 18), the tuple (d, null, 4, false) is added to the queue in Line 23 (see Step 3). Observe that, with a tentative maximum value of 5, which is greater than 4, M3 is still waiting in the queue, since it could contain objects overlapping cells with value 5, that would be added to the final result before d.
In fact, the next iteration processes (M3, q4, 5, true). Since tent is true, q4 is not uniform, and M3 is not a leaf, the flow reaches Line 26, and then the children of M3 are added to the queue (Step 4).
The next dequeued head (m31, q4, 5, true) produces a call to checkGeometry that returns a real maximum value (3) smaller than the tentative one, and thus (e, null, 3, false) is added to the queue (see Step 5).
Finally, the next iteration processes (m32, q44, 5, true). After dequeuing it, since tent is true, Line 14 checks the maximum and minimum values at q44; since they are equal (it is a uniform quadrant), a call to addDescendantsLeaves adds the object in m32 to the output (in this case the polygon f). This ends the computation of top-1.
A note on complexity
Time
Observe that our two algorithms can be modeled as a spatial join between an R-tree and a raster where the spatial predicate is the intersection of areas or zones. When using spatial data structures as, for example, the R-tree and quadtrees, the worst-case analytical complexity for window queries, which include among others spatial joins, does not reflect what really occurs in practice, because the behaviour depends on the size of the window and on the intersection area or zones at each level of the spatial structure [44]. Recall that the k2-raster is conceptually a quadtree.
Therefore, to better predict the actual performance, the usual approach is to develop cost models. For example, Theodoridis et al. [45] presented a cost model to approach the cost of a window query using an R-tree. On the other hand, Theodoridis et al. [46] and Corral et al. [47] proposed cost models that estimate the time required to calculate a spatial join between two R-trees considering a spatial predicate and distance, respectively.
The development of a cost model for our algorithms is beyond the scope of this paper, becoming a result by itself. However, we present a preliminary analysis.
Let ℓ be the number of MBRs in the last level of the R-tree and let n be the number of rows/columns of the raster. A simple baseline approach to solve the spatial join would proceed first by obtaining the MBRs in the leaves of the R-tree, and then, for each one, inspect all cells of the raster that overlap that MBR. The number of cells that overlap an MBR is bounded by the size of the raster, that is, O(n2). Therefore the time complexity of that baseline approach is Θ(ℓn2).
Now, we analyze the spatial join in our framework. The advantage of our algorithms is that they do not need to always reach the last level of the R-tree to obtain the output. There are several cases where the search from the root of the R-tree stops before the last level:
-
In the case of Algorithm 1:
-
When all the values of the region contain the exact same value, that is, when the minimum and maximum values of the k2-raster node are equal, and that value is not within the queried range.
-
When the maximum value of the processed k2-raster node is smaller than the left extreme of the queried range, or when the minimum is greater than the right extreme of the queried range.
-
-
In the case of Algorithm 2, in addition to the previous cases, the algorithm stops when the size of the resulting set reaches the desired K.
The worst case for Algorithm 1 corresponds to that where for all the MBRs of the R-tree, we need to traverse all the nodes of the k2-raster. Considering the ℓ MBRs and the number of nodes of a complete k2-raster ∑ i = 0 h k 2 i = k 2 h + 1 - 1 k 2 - 1 ≈ k 2 h = O ( n 2 ), where h = O(logkn) is the height of the k2-raster, then the cost for the worst case is O(ℓn2).
In the case of Algorithm 2, the predominant costs are those corresponding to the management of the priority queue Q and the cost of function checkGeometry. Let us simplify the analysis considering just top-1 query (K = 1). On one hand, the worst case would require that all MBRs need to be inserted in Q, as the maximum value is guiding the search to areas close to (but not within) all the other MBRs different for the top-1. This causes that the total cost of inserting and obtaining the head of the queue at each step is O(ℓ log2 ℓ). On the other hand, checkGeometry requires a verification, in the worst case, of O(n2) cells. Thus, the total cost for Algorithm 2 is O(ℓ log2 ℓ) + O(ℓn2) = O(ℓn2). It is noticeable that, for the worst case, the overall cost of top-K does not depend on K ≤ ℓ, and part of the O(ℓ) inserted elements in Q will be members of the solution and will be also inserted into list T.
Thus, the overall cost for the worst-case scenario of our algorithms is the same as that of the baseline. However, it is a very pessimistic analysis that is not considering the amount of searches that are not reaching the last level of the R-tree. Let us consider the MBRs in the last level of the R-tree such that in some step of the tree traversal, the search ended before reaching them, and denote R the percentage of those MBRs. Therefore, the question is the size of R; that study would require a cost model, however, as both our experimental results and previous work using lightweight indexation (which include min, max values at nodes) [37–39] show, the real performance is improved.
Storage
The space consumption for the case of the R-tree was presented in the original work [18]. In the case of the k2-raster, it has not been presented previously, again, because a worst case complexity does not fairly reflect the behaviour of the data structure.
However, we can compare the worst case of a baseline approach and that of the k2-raster. Being M the highest value of the raster, a simple baseline that stores each cell using ⌈ log M ⌉ bits requires in total N b = ⌈ log M ⌉ n 2 = Θ ( ⌈ log M ⌉ n 2 ) bits.
The most unfavorable scenario for the k2-raster occurs when all cell values are different. In this case, it has to store the topology of the tree (bitmap T) and the two sequences of minimum and maximum values for each level of the tree, except for the last level, where only the sequence of maximum values is stored. Assuming h the height of the k2-raster, the number of nodes at each level i, in a complete tree is k2i, being 0 ≤ i ≤ h. The number of internal nodes of a complete k2-raster is ∑ i = 0 h - 1 k 2 i = k 2 h - 1 k 2 - 1 ≈ k 2 h - 1 = O ( n 2 ) and the number of leaf nodes k2h.
Therefore the required storage is N r = k 2 h - 1 k 2 - 1 + ∑ i = 0 h - 1 ( c ( m i n 1 , m i n 2 , … , m i n k 2 i ) + c ( m a x 1 , m a x 2 , … , m a x k 2 i ) ) + c ( m a x 1 , m a x 2 , … , m a x k 2 h ), where c(.) is the number of bits required by DACs encoding. Since the internal nodes have two lists and the last level only one, the size of these lists joined is s ≈ 2k2h. According to [36], the number of bits of a compressed sequence of length s with DACs is N 0 + 2 s N 0 s, where N 0 = ∑ j = 1 s ⌊ log x j ⌋ + 1 ≤ ⌈ log M ⌉ 2 k 2 h = O ( ⌈ log M ⌉ n 2 ) bits, thus the worst case space of the k2-raster is N r = O ( ⌈ log M ⌉ n 2 ).
Again the worst case is the same as that of the baseline. However, the baseline does not benefit from Tobler’s law, thus the total cost will be exactly ⌈ log M ⌉ n 2 bits always. Nevertheless, in practice, the k2-raster can reduce significantly the storage due to two effects:
-
Parts of the raster having the same value are simply represented by only one number. This is a feasible assumption due to Tobler’s law.
-
The numbers are represented using difference encoding with respect to the maximum value of the parent node, which decreases the magnitude of the numbers when increasing the depth in the tree. In other words, there is a new maximum value M i , 0 ≤ i ≤ h for each level of the tree and, it is sure that M h < M and M i ≤ M i - 1 1 ≤ i ≤ h.
This reduction of the magnitude of the numbers is exploited by DACs encoding, thus obtaining further compression.
Again, to determine the percentage of raster cells that are compacted in just one number (uniform areas) and the effective reduction of magnitudes for the maximum-minimum sequences, better analysis can be obtained if a model of the data is considered.
Experimental evaluation
Experimental framework
In this section, we present a set of experiments to measure the space consumption and processing time of the two algorithms.
The machine used in the experiments was equipped with an Intel® Core™ i7-3820 CPU @ 3.60 GHz (4 cores) processor and 64 GB of RAM. The operating system was Ubuntu 12.04.5 LTS with kernel 3.2.0-115 (64 bits). All the programs were coded in C++ and compiled using gcc version 4.6.4 with -O3 options.
Time is measured using the sum of user and sys values provided by the Linux time command, in seconds, except in the experiments of cold start that show the real value. The memory consumption is measured taking the vmpeak value of the pseudo-file system proc, in megabytes.
We obtained the R-tree implementation from https://libspatialindex.github.io and we configured it with a page size of 4 KB and a fill factor of 70%. We used the authors’ implementation of the k2-raster, available at http://lbd.udc.es/research/k2-raster/. We chose the heuristic variant [14] with a hybrid configuration using n1 = 4, k1 = 4, and k2 = 2. The bitmaps needed by the k2-raster code were arranged with an implementation of the rank operation that requires a 5% of extra space on top of the bitmap [48]. In addition, the code uses also a DACs implementation configured to obtain the maximum compression restricting the maximum number of levels to 3.
Baselines
There is no previous implementation for the spatial join operation in the literature. The closest related works are those by Corral et al. [7] and Brisaboa et al. [9]. In the case of the top-K operation, there is not even any close related work.
The work of Corral et al. only considers binary rasters, thus we run a separate experiment for this software, as our algorithm is designed for rasters with different values, which implies more complex data structures.
The work of Brisaboa et al. returns only the vector objects, but not the raster cells. However, we modified the authors’ algorithm in order to obtain the same output as ours. We made our implementation using the same R-tree used for the rest. The data structure for storing the raster data, called k2-acc, was the authors’ implementation.
Furthermore, we programmed three additional baselines. Two of them load the complete uncompressed dataset into main memory, where the data are kept as a simple array following a simple filling curve row by row. One is denoted Plain-Ints and uses a 32-bit integer representation for each cell value. The other is termed Plain-Bits and uses ⌈log(#v)⌉ bits for each cell value, being #v the number of different values in the original matrix. Finally, the third baseline uses the NetCDF libraries from Unidata®, available at http://www.unidata.ucar.edu/downloads/netcdf/, to compress and decompress raster data, with the recommended deflate level 2.
For the baselines, we use two naive strategies:
-
The strategy labeled mbrs looks for all leaf MBRs in the R-tree and then overlaps them with the raster dataset, where, for each intersection between an MBR and the overlapping portion of the raster:
-
In the case of the join, it searches the cells having values in the queried range.
-
In the case of the top-K query, it obtains the largest cell value, and it retains those MBRs with the highest values.
-
-
The strategy labeled cells starts by the other side, that is:
-
In the case of the join, it obtains the cells of the raster that meet the range specified in the query, then those positions are checked using the R-tree to see if they lie within an MBR.
-
The cells with the top-K values (not necessarily different) in the raster dataset are obtained. Then the R-tree is used to look for overlapping MBRs. If not enough MBRs are found, the next top-K values in the raster are obtained, and so on.
-
In the case of the join, for Plain-Ints, Plain-Bits, and NetCDF, we only included the mbrs method, as the cells approach was too slow. However, we include the cells version using a k2-raster representation (k2-raster-cells), in order to see the difference with our algorithm.
For the top-K query, we replaced Plain-Bits by k2-treap, which is a baseline based on k2-treap that uses the implementation published by the Database Lab research group, available at http://lbd.udc.es/research/aggregatedRQ/. The reason is that this structure, although it is very inefficient for other types of queries, including the join operation, was specifically designed for the top-K query. There is just one implementation for k2-treap, since strategy cells seems the best option in that scenario (as it has an index that allows us to rapidly obtain the top-K cells). The code of all these baselines is available at https://gitlab.lbd.org.es/fsilva/basic_raster.
Another possible comparison is the traditional approach of translating the vector dataset to raster, and then run a classical raster-raster algorithm. However, that procedure is costly, for example, we used Grass (https://grass.osgeo.org/) latest version (7.4) to translate our two vector datasets (see next section). This took 6 and 1.8 seconds, which is much more than the time needed by our algorithm to run the query, and therefore we decided not to include this baseline in our experiments.
Datasets
The datasets used in our experiments, both the vector and the raster datasets, correspond to real data that were scaled to fit in the same space. Notice that this is the most demanding scenario for a spatial join, as it is not possible to exclude any branch of the R-tree. We describe them more in depth in the following section.
Raster datasets
The raster datasets were obtained from Spanish Geographic Institute (SGI), which includes several DTM (Digital Terrain Model) data files with the spatial elevation data of the terrain of Spain. The complete DTM of Spain is divided in several tiles, and each tile is stored in a separate file. Each file contains a grid of regularly spaced points, with 5 metres of spatial resolution, storing their spatial elevation as real numbers of at most 3 decimal digits.
In order to evaluate the performance of our algorithms, we obtained two different sets of rasters, which serve us to analyze the scalability of our algorithms in two different scenarios:
-
Scenario I: designed for analysis based on raster size. Table 3 shows the details of our set of rasters of increasing size. The set is formed by four collections, each one containing different matrices of the same size. Our initial collection, DTM-1×1, was built selecting 25 samples of exactly one tile of the DTM; the collection DTM-2×2 was built using 2 × 2 adjacent tiles, and so on. The data shown in the table (e.g. the number of different values) correspond to the mean values obtained for all the matrices in each collection. We will report the average values for space and time results, in the experiments, for each collection, thus, avoiding the dependence on the selection of a unique matrix. In this scenario, we only considered the integer part of the value stored at each cell of the matrix.
-
Scenario II: designed for analysis based on the distribution of raster values. Table 4 shows the details of the set of rasters that form a scenario of equal sized datasets, but with increasing number of distinct values. We chose one of the DTM-4×4 datasets, and generated a collection of matrices varying the number of different values. For this, we truncated the original values by taking 0, 1, 2, and 3 decimal digits.
Tab. 3. Raster dataset for Scenario I. Values in Megabytes. Tab. 4. Raster dataset for Scenario II. Values in Megabytes. All measures are the mean resulting from running 10 queries with random query ranges over each dataset for each collection. That means that, for example, in the DTM-1×1 collection, 10 × 25 = 250 queries were run. All queries are available at: http://lbd.udc.es/research/k2-raster/.
Tables 3 and 4 show that by using k2-raster, our framework obtains important savings in disk space with respect to the uncompressed representations. In the datasets of Scenario I, k2-raster occupies around 10% of the space occupied by Plain-Ints and between 27% and 33% of that occupied by Plain-Bits. For Scenario II, k2-raster occupies between 9% and 48% of the space occupied by Plain-Ints and between 25% and 73% of that occupied by Plain-Bits.
With respect to the compressed representations, k2-raster obtains similar results to those of NetCDF, except in the datasets with many different values of Scenario II, where NetCDF occupies around 85% of the space required by k2-raster. Finally, k2-raster occupies around 65% of the space used by k2-treap, except in the datasets with many distinct values, where they are approximately on a par.
Vector datasets
We obtained two datasets from the ChoroChronos.org web site (http://www.chorochronos.org/). In our experiments, the label vects refers to the dataset Tiger Streams and the label vecca refers to the dataset California Roads of that site. These two datasets have a very different number of MBRs and spatial distribution, as shown in Fig 3. More concretley, vects contains 194,971 MBRs and vecca contains 2,249,727 MBRs.
Fig. 3. Spatial distribution of the MBRs of the vector datasets vects (left) and vecca (right). Spatial join
Before presenting the results of our experiment, we must make a point. The three baselines, at the filtering step, use the rectangular shape of the MBRs to rapidly obtain the cells of the raster overlapping each MBR, and thus they are also able to produce two lists of definitive and probable results. Since these lists must be, necessarily, the same as those produced by our algorithm, all our measurements in this experiment have excluded, for practical reasons, the effects of the final refinement step.
Memory usage
In this experiment, we do not include the values of Brisaboa et al. [9] since the authors’ implementation of the k2-acc is very inefficient in managing the memory consumption, yielding really bad results.
Fig 4 shows the main memory consumption for Scenario I. Our framework is denoted as k2-raster. We can observe that, compared to the baselines with uncompressed representations, our approach gets always the lowest memory consumption and the best scalability when joining our raster collections with both vector datasets.
Fig. 4. Memory consumption (in Megabytes) for rasters in Scenario I. (a) vects dataset and (b) vecca dataset. However, comparatively speaking, the improvement in memory consumption is lower than the one observed when we compared disk space consumptions. This could be partially explained by the fact that the reported memory consumption includes the size of the output. As such size, which is the same for all approaches, is usually large, it represents a good part of the memory space consumed by all of them. This means that, when expressing percentage differences between the approaches, the distances are reduced, distorting the comparison.
Nevertheless, our method uses only 31–73% of the memory space used by Plain-Ints-mbrs, and 60–89% of that used by Plain-Bits-mbrs. This is clearly an important improvement, and shows, in addition, that the memory consumption of k2-raster is not seriously harmed by the fact of having to manage data in a compressed format.
The situation changes in the comparison with NetCDF. When checking for portions of the raster, NetCDF loads the needed blocks of the file one by one. Each block is decompressed, processed, and then removed from main memory. Therefore, this baseline consumes less memory in the largest datasets, although differences are below 25%.
Finally, k2-raster-cells has the worst behaviour, since k2-raster consumes between 23% and 48% of the space required by the baseline.
Fig 5 shows the results for Scenario II. Our algorithm consumes between 31% and 89% of the space used by the uncompressed baselines. On the contrary, NetCDF-mbrs consumes between 43% and 87% of the space required by k2-raster.
Fig. 5. Memory consumption (in Megabytes) for rasters in Scenario II. (a) vects dataset and (b) vecca dataset. Again, the worst values are those of the strategy cells using the k2-raster, since our method uses between 24% and 38% of the space consumed by k2-raster-cells.
Time performance
In order to obtain compression, the k2-raster needs a complex arrangement of the data it stores. Therefore, our uncompressed baselines are tough competitors since they keep the raster data in main memory uncompressed and arranged as a simple space-filling curve row by row.
This problem is common to all compact data structures. However, many of them obtain better usage times than managing directly uncompressed data. The main reasons are: (i) the dataset representation is smaller, yielding a better usage of the memory hierarchy; and (ii) most of them include, in the same compressed space, indexes that speed up queries.
In our case, k2-raster uses the quadtree arrangement of the data, which cleverly obtains compression and, at the same time, obtains a spatial index. In addition, it couples the quadtree with lightweight indexation, to index the values at cells. Therefore, part of the improvements in processing time of our framework comes from the capacity of the indexes of the k2-raster to prune the search space.
Figs 6 and 7 show outstanding improvements, even using a logarithmic scale on the y-axis. The indexes of the k2-raster do their job and thus our method is between 1.21 and 3.55 times faster than Plain-Ints-mbrs and between 1.72 and 8 times faster than Plain-Bits-mbrs.
Fig. 6. Processing time (in seconds and log scale) with rasters of Scenario I. (a) vects dataset and (b) vecca dataset. Fig. 7. Processing time (in seconds and log scale) with rasters of Scenario II. (a) vects dataset and (b) vecca dataset. NetCDF, which uses a traditional compression method, competes with our framework in space consumption, both in disk and main memory, obtaining better results in some cases. However, when measuring processing time, results are clearly worse. As explained, each time a portion of the raster is demanded, this requires to decompress one or more blocks storing that information. This costly process should be carried out for each MBR in the leaves of the R-tree. The blocks must also be loaded from disk, but remember that disk access times are not taken into account in this experiment. As we can see in the plots, our approach outperforms this baseline in around three orders of magnitude. The results show that a reasonable sacrifice of memory space clearly improves response times.
The cells baseline using k2-raster has the worst behaviour, even one order of magnitude worse than NetCDF.
Finally, the approach of Brisaboa et al., denoted in the experiments as k2-acc, was only able to run over the two smallest datasets of Scenario I, as it works really badly already when the raster has a moderate number of different values [9, 14].
Main memory consumption versus processing time trade-off
As a summary, Fig 8 includes two plots showing the trade-off between main memory consumption and processing time achieved with the largest dataset of Scenario I, using logarithmic scale in the x-axis. Again the k2-acc is omitted since its memory consumption is very high. Clearly, we can see that our method is the best choice.
Fig. 8. Memory consumption vs processing time with the largest raster of Scenario I. Memory consumption (in Megabytes) vs processing time (in seconds and log scale) with the largest raster of Scenario I. (a) vects dataset and (b) vecca dataset. Cold start
Previous experiments were run in “warm” start, that is, the queries were run sequentially, and thus, the operating system disk buffer keeps, with high probability, important parts of the input datasets in main memory. This eliminates the effect of disk access on times.
In order to show the impact of disk access, we designed an experiment in “cold” start. This implies that:
-
We measured real time to include disk access times.
-
All data structures resided on disk and the operating system buffer was cleared before the execution of each query.
We run 4 queries over each collection (recall that each collection contains several datasets).
Fig 9 shows the results, which do not change the general picture with respect to the performance of each method shown in Fig 6.
Fig. 9. Processing time (in seconds and log scale) with rasters of Scenario I and cold start. (a) vects dataset and (b) vecca dataset. Comparison with classical approaches
One of the closest works is that of Corral et al. [7], but it only considers binary rasters. Even thought the comparison can be considered unfair for our framework, which can also represent integer rasters, we ran some experiments to study how our approach performs compared to that baseline.
To obtain binary rasters, we took the datasets of our Scenario I and set to zero the cells with values below the median, and to one the others. Table 5 shows the size of the resulting datasets. The work of Corral et al. uses a classical setup, including a linear quadtree stored in a B+-tree to represent the binary raster. As a modern compact data structure, the k2-raster obtains important savings in space.
Tab. 5. Size of the datasets in Kilobytes. As seen in Fig 10, our method is faster even though that the k2-raster has a complex data structure designed to compress integers. Observe that each access to a node requires two subtractions to obtain the values at that node, and in the leaves, it also requires accessing to a compressed representation for integer sequences (DACs), which is also costly. For binary rasters, instead of a k2-raster, we could use a simpler and faster k2-tree, which does not need neither subtractions nor DACs representation.
Fig. 10. Processing time (in seconds) of the comparison with a classical data structure approach in Scenario I. (a) vects dataset and (b) vecca dataset. However, the lightweight index at the nodes of the k2-raster plus its small size are still able to improve times.
Top-K
All the algorithms have been implemented, for practical reasons, in a simplified way. We considered that the vector objects are the MBRs of the leafs of the R-tree. With this, we avoid running the computational geometry algorithm, whose implementation is the same in the code of both the baselines and k2-raster. Therefore, the checkGeometry function uses a simple map between the MBRs and the corresponding overlapping cells.
Memory usage
Fig 11 shows the memory consumption for top-1, top-10, and top-100 for the datasets of Scenario I. The uncompressed baselines that completely store the raster in main memory are the worse alternatives, using between 3 and 9 times more memory than our framework. Although k2-treap performs worse than the uncompressed baselines dealing with small files, it scales better, but still, it is between 5 and 15 times worse than k2-raster.
Fig. 11. Average memory consumption for retrieving the top-K over collections of Scenario I. Average memory consumption (in Megabytes) for retrieving the top 1, 10 and 100 MBRs over collections of Scenario I. (a) top-1 and vects dataset, (b) top-1 and vecca dataset, (c) top-10 and vects dataset, (d) top-10 and vecca dataset, (e) top-100 and vects dataset and (f) top-100 and vecca dataset. The traditional processing of NetCDF files by blocks makes this alternative the best one dealing with large files. With small files, k2-raster consumes around 2 times less, whereas in large files the behavior is just the opposite. Finally, the cells strategy with k2-raster has exactly the same behaviour as our method.
Fig 12 shows the memory consumption for the datasets of Scenario II. We only include the results for top-10. In this experiment, NetCDF is the clear winner, consuming around 7 times less than k2-raster.
Fig. 12. Average memory consumption for retrieving the top-K over collections of Scenario II. Average memory consumption (in Megabytes) for retrieving the top 10 MBRs over collections of Scenario II. (a) vects dataset and (b) vecca dataset. Time performance
Fig 13 shows the average time results for our experiments, performing, respectively, top-1, top-10 and top-100 operations. For clarity, times are shown in logarithmic scale.
Fig. 13. Average time results for retrieving the top-K over collections of Scenario I. Average time results (in seconds) for retrieving the top 1, 10 and 100 MBRs over collections of Scenario I. We compare the results for all the algorithms using logarithmic scales for all the figures. (a) top-1 and vects dataset, (b) top-1 and vecca dataset, (c) top-10 and vects dataset, (d) top-10 and vecca dataset, (e) top-100 and vects dataset and (f) top-100 and vecca dataset. The main advantage of our algorithm is that it uses two indexes simultaneously and synchronously. During a filtering process, discarding nodes of one index allows us to also discard some nodes of the other, and the other way around. This fact saves time with respect to the naive strategies of the baselines, which take as starting point one of the datasets, and process some of their elements (MBRs, cells) in a certain order. Each element examined implies a search in the other dataset (with or without the help of an index), sometimes unsuccessfully. This means a great loss of time. This conclusion is confirmed by the experiments: our algorithm obtains the best top-K retrieval times in all scenarios, up to four orders of magnitude better than NetCDF-cells and Plain-cells, up to 5 times faster than Plain-mbrs, and up to 33 times than k2-treap and k2-raster-cells. Some other facts support these results:
-
First of all, mbrs strategy works better than cells, as it can be seen with Plain-mbrs and Plain-cells. Finding the MBRs that overlap with each cell is fast thanks to the R-tree; but it may happen that most of the cells with the highest values do not overlap with any leaf MBR, so that many searches in the R-tree finally become a waste of time. Instead, Plain-mbrs starts processing leaf MBRs (and there are fewer MBRs than cells), and for each of those MBRs it must check just a few raster cells (so not using an index does not penalize too much). In fact, it is close to the k2-raster performance, behaving worse mainly because it never filters leaf MBRs, and thus it must check raster cells for each one of them.
-
Second, compression penalizes the baselines NetCDF-mbrs and NetCDF-cells, which always perform worse than their alternative plain versions, that is, Plain-mbrs and Plain-cells. However, k2-raster offers close compression rates that do not penalize search times.
-
Finally, as expected, although Plain-cells, k2-raster-cells, and k2-treap follow the same strategy, the compressed data structures behave better, since they use an additional index that allows accessing the raster cells in an orderly and cost-free manner. However, those indexes are not enough to reach the performance of k2-raster and its synchronized filtering process.
Fig 14 shows the times for the datasets of Scenario II, for top-10. The value of NetCDF-cells for the vecca raster with largest number of different values is not displayed because it lasted too long.
Fig. 14. Time performance for retrieving the top-K MBRs over collections of Scenario II. Time performance (in seconds) for retrieving the top 10 MBRs over collections of Scenario II. Both axes uses a logarithmic scale. (a) vects dataset and (b) vecca dataset. Fig 15 shows the box plots for executing the top-10 queries over each raster matrix of the DTM-1×1 of Scenario I. Baselines using cells strategy obtain hugely irregular query times, as their performance highly depends on the existence of leaf MBRs overlapping the cells first returned by the algorithm (those having the largest values). k2-treap and k2-raster-cells have approximately the same results, since both, as explained, use a cells strategy with the help of an index which allows them to access the cells in an orderly manner. They show a much worse behaviour on average than k2-raster, although they perform better in certain occasions, specially when dealing with the vects dataset. When most top-K cells match leaf MBRs, k2-treap and k2-raster-cells are always faster than k2-raster solving queries. However, our synchronous algorithm promotes this best-case scenario, discarding “bad” cells beforehand, and making k2-raster better on average. This suggests that it could be promising to adapt our algorithm to k2-treap too. Unfortunately, k2-treap is not a feasible option for the framework, since it would only be useful in this query, being inefficient for the top-K version with the minimum values, or the join query, among others.
Fig. 15. Box plots showing time results for retrieving the top-10 MBRs. Box plots showing time results (in seconds) for retrieving the top-10 MBRs for the 25 matrices of collection DTM-1×1. The y axis is in logarithmic scale. (a) vects dataset and (b) vecca dataset. Main memory consumption versus processing time trade-off
Finally, Fig 16 includes two plots showing the trade-off between main memory consumption and processing time achieved with the largest dataset of Scenario I and top-10, using logarithmic scale in the x axis. As seen, our method method is by far the best choice.
Fig. 16. Memory consumption vs processing time with the largest raster of Scenario I and top-10. Memory consumption (in Megabytes) vs processing time (in seconds) with the largest raster of Scenario I and top-10. (a) vects dataset and (b) vecca dataset. Cold start
Fig 17 shows the results of the experiment in “cold” start for top-10. In this experiment, the differences between our method and k2-treap are shortened.
Fig. 17. Time performance for retrieving the top-10 MBRs over collections of Scenario I in cold start. The y axis uses a logarithmic scale. (a) vects dataset and (b) vecca dataset. Results discussion
In our experiments with the join operation, our new framework consumes between 31–89% of memory used by our Plain baselines, for which, in addition, the time performance is improved up to 8 times.
In the case of NetCDF, our framework is around three orders of magnitude faster, while it only implies a slight sacrifice in space.
In the case of top-K, our framework is up to five orders of magnitude faster than the Plain-cells and NetCDF-cells, and up to 33 times faster than the k2-treap and k2-raster-cells.
The memory consumption shows important improvements; our framework requires between 3 and 9 times less memory than the Plain baselines, in the case of the top-K operation, and up to 3 times in the join. In the case of the k2-treap, used in the top-K operation, our method uses between 5 and 15 times less space, which shows that using a compact data structure does not directly imply a gain in memory consumption, and thus a careful design of query algorithms is required.
The reason of these improvements is due to the fact that our algorithms take advantage of a smaller input, and thus the memory hierarchy between main memory and the processor is more efficient; and that they make intelligent use of the indexes of the k2-raster, which includes, in the same compressed space, a spatial index and an index over the values of the raster.
Conclusions
The possibility of managing raster and vector datasets in geographical information systems is a convenient feature, since it is well-known that each model is more adequate depending on the nature of the spatial data [1]. However, commercial and open-source systems, and even the OGC standard [23, 24], separate both views and do not provide languages, data structures, and algorithms to perform queries that use information from both models.
The exception to this rule could be the zonal statistics operation of Map Algebra [49] that is included in several systems. However, those systems internally translate the vector dataset into a raster dataset before running the operation. In this work, we have presented a framework that includes two known data structures and two new algorithms for running a join between vector and raster datasets, and for retrieving K objects of a vector dataset that overlap cells of a raster dataset, such that the K objects are those overlapping the highest (or lowest) cell values among all objects, without a previous transformation of any of them. The good properties shown by this new approach are due to the use of compact data structures, which allows efficient processing in little space.
The idea of compact data structures, like the k2-raster, is to keep the information always compressed, even when processing it. The k2-raster have been proven to be a good approach when performing operations involving the raster alone [13, 14]. However, in this work, we show that the use of k2-rasters for storing raster data brings new opportunities, in this case, efficient operations between a raster and a vector dataset without translating none of them.
The use of the k2-raster represented a challenge. It was designed to be used in main memory without a previous decompression of the whole dataset, but this requires a complex arrangement of the data (something analogous to most compact data structures). This means that the decompression processes applied on small parts upon demand, and the management of the indexes it contains, can degrade the main memory consumption, and affect the processing times. If we did not design the algorithms carefully, both problems could arise. As shown in our experiments, we have successfully solved it.
The election of the R-tree for indexing the vector dataset is a pragmatic choice, since it is the de facto standard for this type of data. However, as future work we will consider the use of modern compact data structures as a substitution for the R-tree. We also plan to add new operations between raster and vector datasets to our framework.
Zdroje
1. Couclelis H. People Manipulate Objects (but Cultivate Fields): Beyond the Raster-Vector Debate in GIS. In: International Conference GIS: from space to territory—theories and methods of spatio-temporal reasoning. London: Springer-Verlag; 1992. p. 65–77.
2. Li Y, Bretschneider TR. Semantic-Sensitive Satellite Image Retrieval. IEEE Transactions on Geoscience and Remote Sensing. 2007;45(4):853–860. doi: 10.1109/TGRS.2007.892008
3. Quartulli M, Olaizola GI. A review of EO image information mining. ISPRS Journal of Photogrammetry and Remote Sensing. 2013;75 : 11–28. doi: 10.1016/j.isprsjprs.2012.09.010
4. Grumbach S, Rigaux P, Segoufin L. Manipulating interpolated data is easier than you thought. In: 26th International Conference on Very Large Data Bases. San Francisco, CA: Morgan Kaufmann Publishers Inc.; 2000. p. 156–165.
5. Environmental Systems Research Institute Inc. Zonal Statistics Help—ArcGis for Desktop; 2016. Available from: http://webhelp.esri.com/arcgisdesktop/9.3/index.cfm?TopicName=Zonal_Statistics.
6. GRASS development team. GRASS GIS manual:v.rast.stats; 2016. Available from: https://grass.osgeo.org/grass72/manuals/v.rast.stats.html.
7. Corral A, Vassilakopoulos M, Manolopoulos Y. Algorithms for joining R-trees and linear region quadtrees. In: 6th International Symposium on Advances in Spatial Databases. London: Springer-Verlag; 1999. p. 251–269.
8. Corral A, Torres M, Vassilakopoulos M, Manolopoulos Y. Predictive Join Processing between Regions and Moving Objects. In: 12th East European conference on Advances in Databases and Information Systems. Berlin, Heidelberg, Germany: Springer-Verlag; 2008. p. 46–61.
9. Brisaboa NR, de Bernardo G, Gutiérrez G, Luaces MR, Paramá JR. Efficiently Querying Vector and Raster Data. The Computer Journal. 2017;60(9):1395–1413. doi: 10.1093/comjnl/bxx011
10. Eldawy A, Niu L, Haynes D, Su Z. Large Scale Analytics of Vector+Raster Big Spatial Data. In: Proceedings of the 25th ACM SIGSPATIAL International Conference on Advances in Geographic Information Systems. SIGSPATIAL’17; 2017. p. 62 : 1–62 : 4.
11. Plattner H, Zeier A. In-Memory Data Management: Technology and Applications. Heidelberg, Germany: Springer-Verlag Berlin; 2012.
12. de Bernardo G, Álvarez-García S, Brisaboa NR, Navarro G, Pedreira O. Compact Querieable Representations of Raster Data. In: 20th International Symposium on String Processing and Information Retrieval. New York, NY: Springer-Verlag; 2013. p. 96–108.
13. Ladra S, Paramá JR, Silva-Coira F. Compact and queryable representation of raster datasets. In: 28th International Conference on Scientific and Statistical Database Management. New York, NY, USA: ACM; 2016. p. 15 : 1–15 : 12.
14. Ladra S, Paramá JR, Silva-Coira F. Scalable and Queryable Compressed Storage Structure for Raster Data. Information Systems. 2017;72 : 179–204. doi: 10.1016/j.is.2017.10.007
15. Pinto A, Seco D, Gutiérrez G. Improved Queryable Representations of Rasters. In: Data Compression Conference. IEEE. IEEE; 2017. p. 320–329.
16. Navarro G. Compact Data Structures—A practical approach. New York, NY: Cambridge University Press; 2016.
17. Plattner H. A Course in In-Memory Data Management: The Inner Mechanics of In-Memory Databases. Heidelberg, Germany: Springer-Verlag Berlin; 2013.
18. Guttman A. R-trees: A Dynamic Index Structure for Spatial Searching. In: 1984 ACM SIGMOD international conference on Management of data. New York, NY: ACM; 1984. p. 47–57.
19. Manolopoulos Y, Nanopoulos A, Papadopoulos AN, Theodoridis Y. R-trees: Theory and Applications (Advanced Information and Knowledge Processing). Secaucus, NJ: Springer-Verlag New York; 2005.
20. Worboys MF, Duckham M. GIS: a computing perspective. Boca Raton, FL: CRC press; 2004.
21. ISO. Geographic information—Spatial schema. Geneva, Switzerland; 2003. ISO 19107 : 2003.
22. ISO. Geographic information—Schema for coverage geometry and functions. Geneva, Switzerland; 2005. ISO 19123 : 2005.
23. OGC. OpenGIS Web Feature Service 2.0 Interface Standard. Wayland, MA; 2010. OGC 09-025r2.
24. OGC. OpenGIS Web Coverage Service 2.0 Interface Standard—Core: Corrigendum. Wayland, MA; 2012. OGC 09-110r4.
25. Tomlin CD, Berry JK. Mathematical structure for cartographic modeling in environmental analysis. In: the American Congress on Surveying and Mapping 39th Annual Meeting. ACSM; 1979. p. 269–283.
26. Tomlin DC. Geographic Information Systems and Cartographic Modeling. Englewood Cliffs, NJ: Prentice-Hall; 1990.
27. Svensson P, Zhexue H. Geo–SAL: A Query Language for Spatial Data Analysis. In: SSD 1991. vol. 525 of LNCS. Berlin, Heidelberg: Springer; 1991. p. 119–142.
28. Baumann P, Dehmel A, Furtado P, Ritsch R, Widmann N. The Multidimensional Database System RasDaMan. In: 1998 ACM SIGMOD international conference on Management of data. New York, NY: ACM; 1998. p. 575–577.
29. Vaisman A, Zimányi E. A multidimensional model representing continuous fields in spatial data warehouses. In: 17th ACM SIGSPATIAL International Conference on Advances in Geographic Information Systems. New York: ACM; 2009. p. 168–177.
30. Brown PG. Overview of SciDB: large scale array storage, processing and analysis. In: 2010 ACM SIGMOD International Conference on Management of data. New York, NY: ACM press; 2010. p. 963–968.
31. Brisaboa NR, Ladra S, Navarro G. Compact Representation of Web Graphs with Extended Functionality. Information Systems. 2014;39(1):152–174. doi: 10.1016/j.is.2013.08.003
32. Klinger A. Patterns and search statistics. In: Symposium Held at The Center for Tomorrow The Ohio State University. New York, NY, USA: Academic Press; 1971. p. 303–337.
33. Klinger A, Dyer CR. Experiments on Picture Representation Using Regular Decomposition. Computer Graphics Image Processing. 1976;5(1):68–105. doi: 10.1016/S0146-664X(76)80006-8
34. Samet H. Foundations of Multimensional and Metric Data Structures. San Francisco, CA: Morgan Kaufmann; 2006.
35. Jacobson G. Space-efficient static trees and graphs. In: 30th Annual Symposium on Foundations of Computer Science. Washington, DC, USA: IEEE Computer Society; 1989. p. 549–554.
36. Brisaboa NR, Ladra S, Navarro G. DACs: Bringing direct access to variable-length codes. Information Processing and Management. 2013;49 : 392–404. doi: 10.1016/j.ipm.2012.08.003
37. Seidemann M, Seeger B. ChronicleDB: A High-Performance Event Store. In: 20th International Conference on Extending Database Technology; 2017. p. 144–155.
38. Moerkotte G. Small Materialized Aggregates: A Light Weight Index Structure for Data Warehousing. In: 24rd International Conference on Very Large Data Bases. San Francisco, CA: Morgan Kaufmann Publishers Inc.; 1998. p. 476–487.
39. Athanassoulis M, Ailamaki A. BF-tree: Approximate Tree Indexing. In: 40th International Conference on Very Large Databases. vol. 7. VLDB Endowment; 2014. p. 1881–1892.
40. Brisaboa NR, de Bernardo G, Konow R, Navarro G, Seco D. Aggregated 2D range queries on clustered points. Information Systems. 2016;60 : 34–49. doi: 10.1016/j.is.2016.03.004
41. Lee C, Yang M, Aydt R. NetCDF-4 Performance Report. Technical report, HDF Group; 2008.
42. Deutsch LP. RFC 1951: DEFLATE Compressed Data Format Specification version 1.3; 1996.
43. Rigaux P, Scholl M, Voisard A. Spatial databases: with application to GIS. Morgan Kauffman; 2002.
44. Brinkhoff T, Kriegel HP, Seeger B. Efficient Processing of Spatial Joins Using R-trees. SIGMOD Record. 1993;22(2):237–246. doi: 10.1145/170036.170075
45. Theodoridis Y, Stefanakis E, Sellis TK. Efficient Cost Models for Spatial Queries Using R-Trees. IEEE Trans Knowl Data Eng. 2000;12(1):19–32. doi: 10.1109/69.842247
46. Theodoridis Y, Stefanakis E, Sellis TK. Cost Models for Join Queries in Spatial Databases. In: Proceedings of the Fourteenth International Conference on Data Engineering. ICDE’98. Washington, DC, USA: IEEE Computer Society; 1998. p. 476–483.
47. Corral A, Manolopoulos Y, Theodoridis Y, Vassilakopoulos M. Cost Models for Distance Joins Queries Using R-trees. Data and Knowledge Engineering. 2006;57(1):1–36. doi: 10.1016/j.datak.2005.03.004
48. González R, Grabowski S, Mäkinen V, Navarro G. Practical Implementation of Rank and Select Queries. In: 4th Workshop on Efficient and Experimental Algorithms. vol. 0109. Berlin, Heidelberg: Springer-Verlag; 2005. p. 27–38.
49. Tomlin CD. Map algebra: one perspective. Landscape and Urban Planning. 1994;30(1-2):3–12. doi: 10.1016/0169-2046(94)90063-9
Článek Disparate effects of antibiotic-induced microbiome change and enhanced fitness in Daphnia magnaČlánek Effects of Transcranial Direct Current Stimulation on GABA and Glx in Children: A pilot studyČlánek Role of ecology in shaping external nasal morphology in bats and implications for olfactory trackingČlánek Influence of light on the infection of Aureococcus anophagefferens CCMP 1984 by a “giant virus”Článek A network analysis revealed the essential and common downstream proteins related to inguinal herniaČlánek Forecasting stock prices with long-short term memory neural network based on attention mechanismČlánek Transcriptome analysis of Actinidia chinensis in response to Botryosphaeria dothidea infectionČlánek The virulence domain of Shigella IcsA contains a subregion with specific host cell adhesion functionČlánek Regional versus local wind speed and direction at a narrow beach with a high and steep foreduneČlánek Phanerochaete chrysosporium strain B-22, a nematophagous fungus parasitizing Meloidogyne incognitaČlánek Do atmospheric events explain the arrival of an invasive ladybird (Harmonia axyridis) in the UK?Článek Growth behavior and glyphosate resistance level in 10 populations of Echinochloa colona in AustraliaČlánek Early conservation benefits of a de facto marine protected area at San Clemente Island, CaliforniaČlánek Evaluating risk prediction models for adults with heart failure: A systematic literature reviewČlánek Patient perceived value of teleophthalmology in an urban, low income US population with diabetesČlánek Computational analysis of functional single nucleotide polymorphisms associated with SLC26A4 geneČlánek A study to better understand under-utilization of laboratory tests for antenatal care in SenegalČlánek Monitoring the ‘diabetes epidemic’: A framing analysis of United Kingdom print news 1993-2013Článek Trophic ecology of Mexican Pacific harbor seal colonies using carbon and nitrogen stable isotopesČlánek Models of protein production along the cell cycle: An investigation of possible sources of noiseČlánek Fecal transplant prevents gut dysbiosis and anxiety-like behaviour after spinal cord injury in ratsČlánek MLST-based genetic relatedness of Campylobacter jejuni isolated from chickens and humans in PolandČlánek Phylogeographic analyses point to long-term survival on the spot in micro-endemic Lycian salamandersČlánek Genlisea hawkingii (Lentibulariaceae), a new species from Serra da Canastra, Minas Gerais, BrazilČlánek Modelling the impact of migrants on the success of the HIV care and treatment program in BotswanaČlánek Does squatting need attention?—A dual-task study on cognitive resources in resistance exerciseČlánek pyKNEEr: An image analysis workflow for open and reproducible research on femoral knee cartilageČlánek Design and evaluation of a laboratory-based wheelchair castor testing protocol using community dataČlánek Allergic inflammation is initiated by IL-33–dependent crosstalk between mast cells and basophilsČlánek Combined fiscal policies to promote healthier diets: Effects on purchases and consumer welfareČlánek Manual dexterity of mice during food-handling involves the thumb and a set of fast basic movementsČlánek Quantum isomer searchČlánek Optimization of tissue sampling for Borrelia burgdorferi in white-footed mice (Peromyscus leucopus)Článek Effects of Allium hookeri on gut microbiome related to growth performance in young broiler chickensČlánek Age and altitude of residence determine anemia prevalence in Peruvian 6 to 35 months old childrenČlánek Mothers’ oral health literacy and children’s oral health status in Pikine, Senegal: A pilot studyČlánek Low risk pregnancies after a cesarean section: Determinants of trial of labor and its failureČlánek Identification and characterization of miRNAs involved in cold acclimation of zebrafish ZF4 cellsČlánek Research on motion planning for an indoor spray arm based on an improved potential field methodČlánek Eye-gaze information input based on pupillary response to visual stimulus with luminance modulationČlánek Disruption in daily eating-fasting and activity-rest cycles in Indian adolescents attending schoolČlánek The earliest farming communities north of the Carpathians: The settlement at Gwoździec site 2Článek Eligibility for hepatitis B antiviral therapy among adults in the general population in ZambiaČlánek Characterization of the visceral and neuronal phenotype of 4L/PS-NA mice modeling Gaucher diseaseČlánek Increased inflammation and endothelial markers in patients with late severe post-thrombotic syndromeČlánek Management of veterinary anaesthesia in small animals: A survey of current practice in QuebecČlánek Umbilical cord separation time, predictors and healing complications in newborns with dry careČlánek Analysis of attitudinal components towards statistics among students from different academic degreesČlánek Enzyme response of activated sludge to a mixture of emerging contaminants in continuous exposureČlánek Quantitative PCR provides a simple and accessible method for quantitative microbiota profilingČlánek Comparison of Monocyte Distribution Width (MDW) and Procalcitonin for early recognition of sepsisČlánek Niche modeling reveals life history shifts in birds at La Brea over the last twenty millenniaČlánek Distributed flux balance analysis simulations of serial biomass fermentation by two organismsČlánek Head impulse compensatory saccades: Visual dependence is most evident in bilateral vestibular lossČlánek Sofosbuvir-based regimen for genotype 2 HCV infected patients in Taiwan: A real world experienceČlánek Short treatment with antalarmin alters adrenal gland receptors in the rat model of endometriosisČlánek Self-esteem and other risk factors for depressive symptoms among adolescents in United Arab EmiratesČlánek Influence of flow on phosphorus-dynamics and particle size in agricultural drainage ditch sedimentsČlánek An information-based approach to handle various types of uncertainty in fuzzy bodies of evidenceČlánek Novel method to measure temporal windows based on eye movements during viewing of the Necker cubeČlánek The impact of rehabilitation frequency on the risk of stroke in patients with rheumatoid arthritisČlánek Vascularization and biocompatibility of poly(ε-caprolactone) fiber mats for rotator cuff tear repairČlánek Disease-specific out-of-pocket healthcare expenditure in urban Bangladesh: A Bayesian analysisČlánek Reassortment and adaptive mutations of an emerging avian influenza virus H7N4 subtype in ChinaČlánek Occupational gender segregation and economic growth in U.S. local labor markets, 1980 through 2010Článek Accuracy of intraocular lens power calculation formulas using a swept-source optical biometerČlánek Characterization of black patina from the Tiber River embankments using Next-Generation SequencingČlánek Impact of long-term storage and freeze-thawing on eight circulating microRNAs in plasma samplesČlánek Redefining transcriptional regulation of the APOE gene and its association with Alzheimer’s diseaseČlánek Obesity, smoking habits, and serum phosphate levels predicts mortality after life-style interventionČlánek Allele specific expression of Dof genes responding to hormones and abiotic stresses in sugarcaneČlánek Structure-function analyses of candidate small molecule RPN13 inhibitors with antitumor propertiesČlánek Multiple fragmented habitat-patch use in an urban breeding passerine, the Short-toed TreecreeperČlánek And the nominees are: Using design-awards datasets to build computational aesthetic evaluation modelČlánek Predictive factors of first dosage intravenous immunoglobulin-related adverse effects in childrenČlánek Effects of rejection intensity and rejection sensitivity on social approach behavior in womenČlánek The implementation of community-based diabetes and hypertension management care program in IndonesiaČlánek Optimization of cytotoxic activity of Nocardia sp culture broths using a design of experimentsČlánek Investigating Italian disinformation spreading on Twitter in the context of 2019 European electionsČlánek Modelling zero-truncated overdispersed antenatal health care count data of women in BangladeshČlánek Prevalence of antiphospholipid antibodies in Behçet's disease: A systematic review and meta-analysisČlánek Common mental illness among epilepsy patients in Bahir Dar city, Ethiopia: A cross-sectional studyČlánek Genetic characterization of Bacillus anthracis strains circulating in Italy from 1972 to 2018Článek Adverse reproductive effects of S100A9 on bovine sperm and early embryonic development in vitroČlánek Influence of inflammasome NLRP3, and IL1B and IL2 gene polymorphisms in periodontitis susceptibilityČlánek CNP mediated selective toxicity on melanoma cells is accompanied by mitochondrial dysfunctionČlánek Factors for starting biosimilar TNF inhibitors in patients with rheumatic diseases in the real worldČlánek Revisits, readmissions, and outcomes for pediatric traumatic brain injury in California, 2005-2014Článek Use of magnetic resonance imaging to determine laterality of meniscal size in healthy volunteersČlánek Correction: Mutation spectrums of TSC1 and TSC2 in Chinese women with lymphangioleiomyomatosis (LAM)Článek Young women’s reproductive health conversations: Roles of maternal figures and clinical practicesČlánek Dominant negative effects by inactive Spa47 mutants inhibit T3SS function and Shigella virulenceČlánek ICOS-deficient and ICOS YF mutant mice fail to control Toxoplasma gondii infection of the brain
Článek vyšel v časopisePLOS One
Nejčtenější tento týden
2020 Číslo 1- Co dokáže ultrazvuková přilba pro neinvazivní stimulaci mozku
- Infekce močových cest u dospělých – mezery v současných guidelines a doporučení pro klinickou praxi
- 4× telegraficky z oblasti kardiovaskulární prevence – „jednohubky“ z klinického výzkumu 2026/3
- Nitrofurantoin s řízeným uvolňováním: osvědčená účinnost, lepší snášenlivost a méně tablet při akutní cystitidě
- S prof. Vladimírem Paličkou o racionální suplementaci kalcia a vitaminu D v každodenní praxi
-
Všechny články tohoto čísla
- ETAPOD: A forecast model for prediction of black pod disease outbreak in Nigeria
- Disparate effects of antibiotic-induced microbiome change and enhanced fitness in Daphnia magna
- Deliver on Your Own: Disrespectful Maternity Care in rural Kenya
- Quantification of microaerobic growth of Geobacter sulfurreducens
- Number of days required to estimate physical activity constructs objectively measured in different age groups: Findings from three Brazilian (Pelotas) population-based birth cohorts
- Identifying site- and stimulation-specific TMS-evoked EEG potentials using a quantitative cosine similarity metric
- Design and assessment of TRAP-CSP fusion antigens as effective malaria vaccines
- Best compromise nutritional menus for childhood obesity
- Phanerochaete chrysosporium strain B-22, a nematophagous fungus parasitizing Meloidogyne incognita
- Non-disclosure of tuberculosis diagnosis by patients to their household members in south western Uganda
- Patch testing in Lao medical students
- A competence-regulated toxin-antitoxin system in Haemophilus influenzae
- Bund removal to re-establish tidal flow, remove aquatic weeds and restore coastal wetland services—North Queensland, Australia
- Exploring the mechanism of olfactory recognition in the initial stage by modeling the emission spectrum of electron transfer
- Risk of complications among diabetics self-reporting oral health status in Canada: A population-based cohort study
- Family Health Days program contributions in vaccination of unreached and under-immunized children during routine vaccinations in Uganda
- Calcium dobesilate reduces VEGF signaling by interfering with heparan sulfate binding site and protects from vascular complications in diabetic mice
- Predicting factors for long-term survival in patients with out-of-hospital cardiac arrest – A propensity score-matched analysis
- HIV infection does not alter interferon α/β receptor 2 expression on mucosal immune cells
- The impact of body posture on intrinsic brain activity: The role of beta power at rest
- Retraction: DJ-1 Modulates α-Synuclein Aggregation State in a Cellular Model of Oxidative Stress: Relevance for Parkinson's Disease and Involvement of HSP70
- Practical considerations in the use of a porcine model (Sus scrofa domesticus) to assess prevention of postoperative peritubal adhesions
- Do atmospheric events explain the arrival of an invasive ladybird (Harmonia axyridis) in the UK?
- Transcriptional Differences in Peanut (Arachis hypogaea L.) Seeds at the Freshly Harvested, After-ripening and Newly Germinated Seed Stages: Insights into the Regulatory Networks of Seed Dormancy Release and Germination
- First adaptation of quinoa in the Bhutanese mountain agriculture systems
- Identifying maintenance hosts for infection with Dichelobacter nodosus in free-ranging wild ruminants in Switzerland: A prevalence study
- Model order reduction for left ventricular mechanics via congruency training
- The use of mixed collagen-Matrigel matrices of increasing complexity recapitulates the biphasic role of cell adhesion in cancer cell migration: ECM sensing, remodeling and forces at the leading edge of cancer invasion
- Hyponatraemia reversibly affects human myometrial contractility. An in vitro pilot study
- Production, purification and evaluation of biodegradation potential of PHB depolymerase of Stenotrophomonas sp. RZS7
- The impact of a wireless audio system on communication in robotic-assisted laparoscopic surgery: A prospective controlled trial
- Towards a bottom-up understanding of antimicrobial use and resistance on the farm: A knowledge, attitudes, and practices survey across livestock systems in five African countries
- Geographical origin determines responses to salinity of Mediterranean caddisflies
- Non-redundant roles in sister chromatid cohesion of the DNA helicase DDX11 and the SMC3 acetyl transferases ESCO1 and ESCO2
- Seroprevalence of viral and vector-borne bacterial pathogens in domestic dogs (Canis familiaris) in northern Botswana
- Global reach of ageism on older persons’ health: A systematic review
- Musical expertise generalizes to superior temporal scaling in a Morse code tapping task
- Cross-cultural adaptation and psychometric evaluation of the Yoruba version of Oswestry disability index
- Growth behavior and glyphosate resistance level in 10 populations of Echinochloa colona in Australia
- Analysis of the lineage of Phytophthora infestans isolates using mating type assay, traditional markers, and next generation sequencing technologies
- Post-transcriptional regulation of Rad51c by miR-222 contributes cellular transformation
- Targeting chondroitinase ABC to axons enhances the ability of chondroitinase to promote neurite outgrowth and sprouting
- First eight residues of apolipoprotein A-I mediate the C-terminus control of helical bundle unfolding and its lipidation
- Repeated noninvasive stimulation of the ventromedial prefrontal cortex reveals cumulative amplification of pleasant compared to unpleasant scene processing: A single subject pilot study
- Can scientists fill the science journalism void? Online public engagement with science stories authored by scientists
- Retention and predictors of attrition among patients who started antiretroviral therapy in Zimbabwe’s national antiretroviral therapy programme between 2012 and 2015
- Prognostics for pain in osteoarthritis: Do clinical measures predict pain after total joint replacement?
- Infants without health insurance: Racial/ethnic and rural/urban disparities in infant households’ insurance coverage
- HY5 is not integral to light mediated stomatal development in Arabidopsis
- Effects of Transcranial Direct Current Stimulation on GABA and Glx in Children: A pilot study
- Hypertension testing and treatment in Uganda and Kenya through the SEARCH study: An implementation fidelity and outcome evaluation
- Whole genome sequence analysis reveals the broad distribution of the RtxA type 1 secretion system and four novel putative type 1 secretion systems throughout the Legionella genus
- Evaluation of rice wild relatives as a source of traits for adaptation to iron toxicity and enhanced grain quality
- The Malaysian Workplace Bullying Index (MWBI): A new measure of workplace bullying in Eastern countries
- Brief communication: Long-term absence of Langerhans cells alters the gene expression profile of keratinocytes and dendritic epidermal T cells
- APOBEC3B reporter myeloma cell lines identify DNA damage response pathways leading to APOBEC3B expression
- Morphological diversity within a core collection of subterranean clover (Trifolium subterraneum L.): Lessons in pasture adaptation from the wild
- Feasibility of real-time in vivo 89Zr-DFO-labeled CAR T-cell trafficking using PET imaging
- Repository-based plasmid design
- A LAMP at the end of the tunnel: A rapid, field deployable assay for the kauri dieback pathogen, Phytophthora agathidicida
- A new method of recording from the giant fiber of Drosophila melanogaster shows that the strength of its auditory inputs remains constant with age
- Early conservation benefits of a de facto marine protected area at San Clemente Island, California
- Evaluating risk prediction models for adults with heart failure: A systematic literature review
- Age, period and cohort analysis of age-specific maternal mortality trend in Ethiopia: A secondary analysis
- Aberrant cervical innate immunity predicts onset of dysbiosis and sexually transmitted infections in women of reproductive age
- Performance of Qure.ai automatic classifiers against a large annotated database of patients with diverse forms of tuberculosis
- Closed circuit xenon delivery for 72h in neonatal piglets following hypoxic insult using an ambient pressure automated control system: Development, technical evaluation and pulmonary effects
- Safe mobility, socioeconomic inequalities, and aging: A 12-year multilevel interrupted time-series analysis of road traffic death rates in a Latin American country
- THAP11F80L cobalamin disorder-associated mutation reveals normal and pathogenic THAP11 functions in gene expression and cell proliferation
- Lesion of striatal patches disrupts habitual behaviors and increases behavioral variability
- A clinical method for estimating the modulus of elasticity of the human cornea in vivo
- Gamma gap thresholds and HIV, hepatitis C, and monoclonal gammopathy
- Infective endocarditis post-transcatheter aortic valve implantation (TAVI), microbiological profile and clinical outcomes: A systematic review
- Potentiation of curing by a broad-host-range self-transmissible vector for displacing resistance plasmids to tackle AMR
- An acceleration in hypertension-related mortality for middle-aged and older Americans, 1999-2016: An observational study
- Two common disease-associated TYK2 variants impact exon splicing and TYK2 dosage
- Patient perceived value of teleophthalmology in an urban, low income US population with diabetes
- Real-world cost-effectiveness of rivaroxaban compared with vitamin K antagonists in the context of stroke prevention in atrial fibrillation in France
- Spatial risk assessment of global change impacts on Swedish seagrass ecosystems
- The effects of low-carbohydrate diets on cardiovascular risk factors: A meta-analysis
- Computational analysis of functional single nucleotide polymorphisms associated with SLC26A4 gene
- Evidence in support of chromosomal sex influencing plasma based metabolome vs APOE genotype influencing brain metabolome profile in humanized APOE male and female mice
- Accelerated sparsity based reconstruction of compressively sensed multichannel EEG signals
- A multicenter case control study of association of vitamin D with breast cancer among women in Karachi, Pakistan
- Microvesicles from Lactobacillus reuteri (DSM-17938) completely reproduce modulation of gut motility by bacteria in mice
- Chemical profiling of Curatella americana Linn leaves by UPLC-HRMS and its wound healing activity in mice
- “Yellow” laccase from Sclerotinia sclerotiorum is a blue laccase that enhances its substrate affinity by forming a reversible tyrosyl-product adduct
- Dense carbon-nanotube coating scaffolds stimulate osteogenic differentiation of mesenchymal stem cells
- Gamma Knife radiosurgery for vestibular schwannomas: Evaluation of planning using the sphericity degree of the target volume
- Variants in ADIPOQ gene are linked to adiponectin levels and lung function in young males independent of obesity
- Purification and molecular characterization of phospholipase, antigen 5 and hyaluronidases from the venom of the Asian hornet (Vespa velutina)
- Clinical state tracking in serious mental illness through computational analysis of speech
- Why are animal source foods rarely consumed by 6-23 months old children in rural communities of Northern Ethiopia? A qualitative study
- A study to better understand under-utilization of laboratory tests for antenatal care in Senegal
- Monitoring the ‘diabetes epidemic’: A framing analysis of United Kingdom print news 1993-2013
- Heart rate variability helps to distinguish the intensity of menopausal symptoms: A prospective, observational and transversal study
- Physicians’ perspectives regarding non-medical switching of prescription medications: Results of an internet e-survey
- Trophic ecology of Mexican Pacific harbor seal colonies using carbon and nitrogen stable isotopes
- Effectiveness of information technology–enabled ‘SMART Eating’ health promotion intervention: A cluster randomized controlled trial
- Cauda Equina Syndrome Core Outcome Set (CESCOS): An international patient and healthcare professional consensus for research studies
- Incidence and prediction of intraoperative and postoperative cardiac arrest requiring cardiopulmonary resuscitation and 30-day mortality in non-cardiac surgical patients
- Microscopic distance from tumor invasion front to serosa might be a useful predictive factor for peritoneal recurrence after curative resection of T3-gastric cancer
- A new species of Macrocypraea (Gastropoda, Cypraeidae) from Trindade Island, Brazil, including phenotypic differentiation from remaining congeneric species
- The evolving topology of the Lightning Network: Centralization, efficiency, robustness, synchronization, and anonymity
- Avoid jumping to conclusions under uncertainty in Obsessive Compulsive Disorder
- Tanopicobia gen. nov., a new genus of quill mites, its phylogenetic placement in the subfamily Picobiinae (Acariformes: Syringophilidae) and picobiine relationships with avian hosts
- Large-scale spatial variation of chronic stress signals in moose
- Complex situations: Economic insecurity, mental health, and substance use among pregnant women who consider – but do not have – abortions
- Well-being and entrepreneurship: Using establishment size to identify treatment effects and transmission mechanisms
- Models of protein production along the cell cycle: An investigation of possible sources of noise
- Protein-protein interactions underlying the behavioral and psychological symptoms of dementia (BPSD) and Alzheimer’s disease
- Assessing the feasibility of a life history calendar to measure HIV risk and health in older South Africans
- Prevalence of anaemia and low intake of dietary nutrients in pregnant women living in rural and urban areas in the Ashanti region of Ghana
- Enhancing performance of subject-specific models via subject-independent information for SSVEP-based BCIs
- Perceptions of and interest in HIV pre-exposure prophylaxis use among adolescent girls and young women in Lilongwe, Malawi
- Long term conjugated linoleic acid supplementation modestly improved growth performance but induced testicular tissue apoptosis and reduced sperm quality in male rabbit
- A new approach to the temporal significance of house orientations in European Early Neolithic settlements
- Meta-analysis of the radiological and clinical features of Usual Interstitial Pneumonia (UIP) and Nonspecific Interstitial Pneumonia (NSIP)
- Extreme mortality and reproductive failure of common murres resulting from the northeast Pacific marine heatwave of 2014-2016
- Persistence of chikungunya ECSA genotype and local outbreak in an upper medium class neighborhood in Northeast Brazil
- Fecal transplant prevents gut dysbiosis and anxiety-like behaviour after spinal cord injury in rats
- In vivo elongation of thin filaments results in heart failure
- High resolution respirometry to assess function of mitochondria in native homogenates of human heart muscle
- Disparity in depressive symptoms between heterosexual and sexual minority men in China: The role of social support
- Effect of classroom intervention on student food selection and plate waste: Evidence from a randomized control trial
- Cytomegalovirus-specific CD8+ T-cell responses are associated with arterial blood pressure in people living with HIV
- In-depth hepatoprotective mechanistic study of Phyllanthus niruri: In vitro and in vivo studies and its chemical characterization
- Content shared on social media for national cancer survivors day 2018
- Cost-effectiveness of alectinib compared to crizotinib for the treatment of first-line ALK+ advanced non-small-cell lung cancer in France
- Mating strategy is determinant of adenovirus prevalence in European bats
- Preventing HIV and HSV-2 through knowledge and attitudes: A replication study of a multi-component community-based intervention in Zimbabwe
- MLST-based genetic relatedness of Campylobacter jejuni isolated from chickens and humans in Poland
- Unraveling the polychromy and antiquity of the Pachacamac Idol, Pacific coast, Peru
- Randomized clinical trial analyzing maintenance of peripheral venous catheters in an internal medicine unit: Heparin vs. saline
- Hypertension prevalence but not control varies across the spectrum of risk in patients with atrial fibrillation: A RE-LY atrial fibrillation registry sub-study
- Valuing natural habitats for enhancing coastal resilience: Wetlands reduce property damage from storm surge and sea level rise
- Universal coverage but unmet need: National and regional estimates of attrition across the diabetes care continuum in Thailand
- Patient-related factors may influence nursing perception of sleep in the Intensive Care Unit
- A systematic review and meta-analysis of acute kidney injury in the intensive care units of developed and developing countries
- Phylogeographic analyses point to long-term survival on the spot in micro-endemic Lycian salamanders
- A randomized trial of a behavioral intervention to decrease hospital length of stay by decreasing bedrest
- Genlisea hawkingii (Lentibulariaceae), a new species from Serra da Canastra, Minas Gerais, Brazil
- Structural variation and its potential impact on genome instability: Novel discoveries in the EGFR landscape by long-read sequencing
- Assessment of forest cover and carbon stock changes in sub-tropical pine forest of Azad Jammu & Kashmir (AJK), Pakistan using multi-temporal Landsat satellite data and field inventory
- Color image segmentation using adaptive hierarchical-histogram thresholding
- The association between nonalcoholic fatty liver disease and esophageal, stomach, or colorectal cancer: National population-based cohort study
- Effects in spite of tough constraints - A theory of change based investigation of contextual and implementation factors affecting the results of a performance based financing scheme extended to malnutrition in Burundi
- Comparison of motif-based and whole-unique-sequence-based analyses of phage display library datasets generated by biopanning of anti-Borrelia burgdorferi immune sera
- Identification of the cleavage sites leading to the shed forms of human and mouse anti-aging and cognition-enhancing protein Klotho
- Research performance and age explain less than half of the gender pay gap in New Zealand universities
- Do bumblebees have signatures? Demonstrating the existence of a speed-curvature power law in Bombus terrestris locomotion patterns
- A primary healthcare information intervention for communicating cardiovascular risk to patients with poorly controlled hypertension: The Education and Coronary Risk Evaluation (Educore) study—A pragmatic, cluster-randomized trial
- “I did not know it was a medical condition”: Predictors, severity and help seeking behaviors of women with female sexual dysfunction in the Volta region of Ghana
- The role of services content for manufacturing competitiveness: A network analysis
- Mortality and demographic recovery in early post-black death epidemics: Role of recent emigrants in medieval Dijon
- Modelling the impact of migrants on the success of the HIV care and treatment program in Botswana
- Does squatting need attention?—A dual-task study on cognitive resources in resistance exercise
- A human mission to Mars: Predicting the bone mineral density loss of astronauts
- The role of demographic history and selection in shaping genetic diversity of the Galápagos penguin (Spheniscus mendiculus)
- Attitudes towards animal study registries and their characteristics: An online survey of three cohorts of animal researchers
- Risk perception and behavioral change during epidemics: Comparing models of individual and collective learning
- Drug-target interaction prediction using Multi Graph Regularized Nuclear Norm Minimization
- A preliminary study of resting brain metabolism in treatment-resistant depression before and after treatment with olanzapine-fluoxetine combination
- Use of serum KL-6 level for detecting patients with restrictive allograft syndrome after lung transplantation
- Gait asymmetry in glucocerebrosidase mutation carriers with Parkinson’s disease
- Radioiodine therapy and Graves’ disease – Myths and reality
- pyKNEEr: An image analysis workflow for open and reproducible research on femoral knee cartilage
- Creatinine versus cystatin C for renal function-based mortality prediction in an elderly cohort: The Northern Manhattan Study
- Risk factors for third-generation cephalosporin resistant Enterobacteriaceae in gestational urine cultures: A retrospective cohort study based on centralized electronic health records
- Population-based estimates of humoral autoimmunity from the U.S. National Health and Nutrition Examination Surveys, 1960–2014
- Residential neighbourhood greenspace is associated with reduced risk of cardiovascular disease: A prospective cohort study
- Circulating CTRP9 correlates with the prevention of aortic calcification in renal allograft recipients
- Potential socioeconomic impacts from ocean acidification and climate change effects on Atlantic Canadian fisheries
- Prevention and control of cholera with household and community water, sanitation and hygiene (WASH) interventions: A scoping review of current international guidelines
- Kinematic analysis of motor learning in upper limb body-powered bypass prosthesis training
- The treeness of the tree of historical trees of life
- Female finches prefer courtship signals indicating male vigor and neuromuscular ability
- The effect of spatial position and age within an egg-clutch on embryonic development and key metabolic enzymes in two clownfish species, Amphiprion ocellaris and Amphiprion frenatus
- Egg donors’ motivations, experiences, and opinions: A survey of egg donors in South Africa
- Polymer-free sirolimus-eluting stent use in Europe and Asia: Ethnic differences in demographics and clinical outcomes
- How “simple” methodological decisions affect interpretation of population structure based on reduced representation library DNA sequencing: A case study using the lake whitefish
- The impact of translated reminder letters and phone calls on mammography screening booking rates: Two randomised controlled trials
- Application of a genetic algorithm to the keyboard layout problem
- Design and evaluation of a laboratory-based wheelchair castor testing protocol using community data
- Relationship between diabetic macular edema and choroidal layer thickness
- Evaluation of the predictive ability of ultrasound-based assessment of breast cancer using BI-RADS natural language reporting against commercial transcriptome-based tests
- A Comprehensive Data Gathering Network Architecture in Large-Scale Visual Sensor Networks
- Recovery of health-related quality of life after burn injuries: An individual participant data meta-analysis
- Modeling aggressive market order placements with Hawkes factor models
- Higher prevalence of splenic artery aneurysms in hereditary hemorrhagic telangiectasia: Vascular implications and risk factors
- Measuring the diffusion of innovations with paragraph vector topic models
- Role of ecology in shaping external nasal morphology in bats and implications for olfactory tracking
- Neandertals on the beach: Use of marine resources at Grotta dei Moscerini (Latium, Italy)
- Allergic inflammation is initiated by IL-33–dependent crosstalk between mast cells and basophils
- High expression of olfactomedin-4 is correlated with chemoresistance and poor prognosis in pancreatic cancer
- Wattpad as a resource for literary studies. Quantitative and qualitative examples of the importance of digital social reading and readers’ comments in the margins
- Constructing and influencing perceived authenticity in science communication: Experimenting with narrative
- Development and validation of a prognostic model predicting symptomatic hemorrhagic transformation in acute ischemic stroke at scale in the OHDSI network
- Immune recovery markers in a double blind clinical trial comparing dolutegravir and raltegravir based regimens as initial therapy (SPRING-2)
- A non-canonical role for p27Kip1 in restricting proliferation of corneal endothelial cells during development
- Combined fiscal policies to promote healthier diets: Effects on purchases and consumer welfare
- Estimating the impact of drug use on US mortality, 1999-2016
- Complex patterns of cell growth in the placenta in normal pregnancy and as adaptations to maternal diet restriction
- Tofu intake is inversely associated with risk of breast cancer: A meta-analysis of observational studies
- Digging the diversity of Iberian bait worms Marphysa (Annelida, Eunicidae)
- Influence of light on the infection of Aureococcus anophagefferens CCMP 1984 by a “giant virus”
- MESSAR: Automated recommendation of metabolite substructures from tandem mass spectra
- Temporal ordering of input modulates connectivity formation in a developmental neuronal network model of the cortex
- Healthy lifestyle index and its association with hypertension among community adults in Sri Lanka: A cross-sectional study
- Manual dexterity of mice during food-handling involves the thumb and a set of fast basic movements
- Research on an evolutionary game model and simulation of a cluster innovation network based on fairness preference
- Reconstructing Krassilovia mongolica supports recognition of a new and unusual group of Mesozoic conifers
- Selection of memory clinic patients for CSF biomarker assessment can be restricted to a quarter of cases by using computerized decision support, without compromising diagnostic accuracy
- From organ to cell: Multi-level telomere length assessment in patients with idiopathic pulmonary fibrosis
- Training interval in cardiopulmonary resuscitation
- Quantum isomer search
- Ultrastructure of light-activated axons following optogenetic stimulation to produce late-phase long-term potentiation
- Optimization of tissue sampling for Borrelia burgdorferi in white-footed mice (Peromyscus leucopus)
- How do critical care staff respond to organisational challenge? A qualitative exploration into personality types and cognitive processing in critical care
- Symmetric core-cohesive blockmodel in preschool children’s interaction networks
- Effects of supplemental creatine and guanidinoacetic acid on spatial memory and the brain of weaned Yucatan miniature pigs
- Predicting antibacterial activity from snake venom proteomes
- Community-Based Health Planning and Services Plus programme in Ghana: A qualitative study with stakeholders in two Systems Learning Districts on improving the implementation of primary health care
- An investigation of transportation practices in an Ontario swine system using descriptive network analysis
- Comparison of gridded precipitation datasets for rainfall-runoff and inundation modeling in the Mekong River Basin
- Functional interactions in patients with hemianopia: A graph theory-based connectivity study of resting fMRI signal
- PCR for the detection of pathogens in neonatal early onset sepsis
- Mercury and selenium concentrations in fishes of the Upper Colorado River Basin, southwestern United States: A retrospective assessment
- The effects of dual-task cognitive interference on gait and turning in Huntington’s disease
- Effects of Allium hookeri on gut microbiome related to growth performance in young broiler chickens
- Novel imaging biomarkers for mapping the impact of mild mitochondrial uncoupling in the outer retina in vivo
- Hyperkalemia treatment modalities: A descriptive observational study focused on medication and healthcare resource utilization
- Age and altitude of residence determine anemia prevalence in Peruvian 6 to 35 months old children
- Web service QoS prediction using improved software source code metrics
- Long term impact of PositiveLinks: Clinic-deployed mobile technology to improve engagement with HIV care
- Comparison of post-transplantation diabetes mellitus incidence and risk factors between kidney and liver transplantation patients
- Mothers’ oral health literacy and children’s oral health status in Pikine, Senegal: A pilot study
- A definition-by-example approach and visual language for activity patterns in engineering disciplines
- A network analysis revealed the essential and common downstream proteins related to inguinal hernia
- Use of conventional cardiac troponin assay for diagnosis of non-ST-elevation myocardial infarction: ‘The Ottawa Troponin Pathway’
- Low risk pregnancies after a cesarean section: Determinants of trial of labor and its failure
- Exploratory analysis of the potential for advanced diagnostic testing to reduce healthcare expenditures of patients hospitalized with meningitis or encephalitis
- Airway epithelial specific deletion of Jun-N-terminal kinase 1 attenuates pulmonary fibrosis in two independent mouse models
- Identification and characterization of miRNAs involved in cold acclimation of zebrafish ZF4 cells
- Research on motion planning for an indoor spray arm based on an improved potential field method
- Camera-traps are a cost-effective method for surveying terrestrial squamates: A comparison with artificial refuges and pitfall traps
- Detailed analysis of the transverse arch of hallux valgus feet with and without pain using weightbearing ultrasound imaging and precise force sensors
- The role of survivin in the progression of pancreatic ductal adenocarcinoma (PDAC) and a novel survivin-targeted therapeutic for PDAC
- Filling the human resource gap through public-private partnership: Can private, community-based skilled birth attendants improve maternal health service utilization and health outcomes in a remote region of Bangladesh?
- HIV antiretroviral drugs, dolutegravir, maraviroc and ritonavir-boosted atazanavir use different pathways to affect inflammation, senescence and insulin sensitivity in human coronary endothelial cells
- Still standing: Recent patterns of post-fire conifer refugia in ponderosa pine-dominated forests of the Colorado Front Range
- Surrogate R-spondins for tissue-specific potentiation of Wnt Signaling
- Biogeographic study of human gut-associated crAssphage suggests impacts from industrialization and recent expansion
- Apolipoprotein-AI mimetic peptides D-4F and L-5F decrease hepatic inflammation and increase insulin sensitivity in C57BL/6 mice
- Treating patients with driving phobia by virtual reality exposure therapy – a pilot study
- The impact of race relations on NFL attendance: An econometric analysis
- The potential impact of the Affordable Care Act and Medicaid expansion on reducing colorectal cancer screening disparities in African American males
- Efficient processing of raster and vector data
- Rewilding with large herbivores: Positive direct and delayed effects of carrion on plant and arthropod communities
- Early life experience and alterations of group composition shape the social grooming networks of former pet and entertainment chimpanzees (Pan troglodytes)
- Muscarinic modulation of M and h currents in gerbil spherical bushy cells
- Therapeutic hypothermia after out of hospital cardiac arrest improve 1-year survival rate for selective patients
- Carotid plaques and neurological impairment in patients with acute cerebral infarction
- Deep learning based image reconstruction algorithm for limited-angle translational computed tomography
- Subterranean Deuteraphorura Absolon, 1901, (Hexapoda, Collembola) of the Western Carpathians — Troglomorphy at the northern distributional limit in Europe
- Fragmentation and inefficiencies in US equity markets: Evidence from the Dow 30
- Association between coffee drinking and telomere length in the Prostate, Lung, Colorectal, and Ovarian Cancer Screening Trial
- Hyperbaric oxygen preconditioning and the role of NADPH oxidase inhibition in postischemic acute kidney injury induced in spontaneously hypertensive rats
- Rad51 paralogs and the risk of unselected breast cancer: A case-control study
- Aqueous ethanol extract of Libidibia ferrea (Mart. Ex Tul) L.P. Queiroz (juca) exhibits antioxidant and migration-inhibiting activity in human gastric adenocarcinoma (ACP02) cells
- Diagnostic differences in respiratory breathing patterns and work of breathing indices in children with Duchenne muscular dystrophy
- The role of narrative in collaborative reasoning and intelligence analysis: A case study
- Proportions of CD4 test results indicating advanced HIV disease remain consistently high at primary health care facilities across four high HIV burden countries
- Modelling of amino acid turnover in the horse during training and racing: A basis for developing a novel supplementation strategy
- Single-modal and multi-modal false arrhythmia alarm reduction using attention-based convolutional and recurrent neural networks
- Eye-gaze information input based on pupillary response to visual stimulus with luminance modulation
- Predictive value of comb-push ultrasound shear elastography for the differentiation of reactive and metastatic axillary lymph nodes: A preliminary investigation
- Type 1 diabetes is associated with an increased risk of venous thromboembolism: A retrospective population-based cohort study
- Trends of litter decomposition and soil organic matter stocks across forested swamp environments of the southeastern US
- Post mortem evaluation of inflammation, oxidative stress, and PPARγ activation in a nonhuman primate model of cardiac sympathetic neurodegeneration
- Were ancient foxes far more carnivorous than recent ones?—Carnassial morphological evidence
- Disruption in daily eating-fasting and activity-rest cycles in Indian adolescents attending school
- Plasma proteome profiling of freshwater and seawater life stages of rainbow trout (Oncorhynchus mykiss)
- Association between baseline abundance of Peptoniphilus, a Gram-positive anaerobic coccus, and wound healing outcomes of DFUs
- The earliest farming communities north of the Carpathians: The settlement at Gwoździec site 2
- Trends of the prevalence and incidence of hypertrophic cardiomyopathy in Korea: A nationwide population-based cohort study
- Percent amplitude of fluctuation: A simple measure for resting-state fMRI signal at single voxel level
- Antimicrobial activity of Asteraceae species against bacterial pathogens isolated from postmenopausal women
- Designing information provision to serve as a reminder of altruistic benefits: A case study of the risks of air pollution caused by industrialization
- Are changes in depressive symptoms, general health and residential area socio-economic status associated with trajectories of waist circumference and body mass index?
- Extracellular vesicles of U937 macrophage cell line infected with DENV-2 induce activation in endothelial cells EA.hy926
- FlexGraph: Flexible partitioning and storage for scalable graph mining
- Post-weaning infant-to-mother bonding in nutritionally independent female mice
- A little good is good enough: Ethical consumption, cheap excuses, and moral self-licensing
- Link-centric analysis of variation by demographics in mobile phone communication patterns
- Multimodal hand gesture recognition using single IMU and acoustic measurements at wrist
- Variance based weighting of multisensory head rotation signals for verticality perception
- Eligibility for hepatitis B antiviral therapy among adults in the general population in Zambia
- Tobacco smoking and health-related quality of life among university students: Mediating effect of depression
- Drivers of the opioid crisis: An appraisal of financial conflicts of interest in clinical practice guideline panels at the peak of opioid prescribing
- Nutritional inadequacies in commercial vegan foods for dogs and cats
- LTA1 and dmLT enterotoxin-based proteins activate antigen-presenting cells independent of PKA and despite distinct cell entry mechanisms
- The Shapley value for a fair division of group discounts for coordinating cooling loads
- Comparison and evaluation of the morphology of crowns generated by biogeneric design technique with CEREC chairside system
- Assessing risk factors and impact of cyberbullying victimization among university students in Myanmar: A cross-sectional study
- Incidence of hospital-acquired pressure ulcers in patients with "minimal risk" according to the "Norton-MI" scale
- Intra-host symbiont diversity in eastern Pacific cold seep tubeworms identified by the 16S-V6 region, but undetected by the 16S-V4 region
- Lipoprotein(a) plasma levels are not associated with survival after acute coronary syndromes: An observational cohort study
- Use of Nanotrap particles for the capture and enrichment of Zika, chikungunya and dengue viruses in urine
- Pancreatic secretory trypsin inhibitor reduces multi-organ injury caused by gut ischemia/reperfusion in mice
- The effect of diet on the gastrointestinal microbiome of juvenile rehabilitating green turtles (Chelonia mydas)
- Biochemical characterization of Ty1 retrotransposon protease
- Lateral pressure equalisation as a principle for designing support surfaces to prevent deep tissue pressure ulcers
- Immunomodulatory function of the cystic fibrosis modifier gene BPIFA1
- The validation of the Beijing version of the Montreal Cognitive Assessment in Chinese patients undergoing hemodialysis
- All of gene expression (AOE): An integrated index for public gene expression databases
- Characterization of the visceral and neuronal phenotype of 4L/PS-NA mice modeling Gaucher disease
- Inflammasome expression is higher in ovarian tumors than in normal ovary
- HCV genotype profile in Brazil of mono-infected and HIV co-infected individuals: A survey representative of an entire country
- Engaging with change: Information and communication technology professionals’ perspectives on change at the mid-point in the UK/EU Brexit process
- Adherence to iron-folic acid supplement and associated factors among antenatal care attending pregnant mothers in governmental health institutions of Adwa town, Tigray, Ethiopia: Cross-sectional study
- Flower, seed, and fruit development in three Tunisian species of Polygonum: Implications for their taxonomy and evolution of distyly in Polygonaceae
- Development of a risk score for prediction of poor treatment outcomes among patients with multidrug-resistant tuberculosis
- Preclinical evaluation of AT-527, a novel guanosine nucleotide prodrug with potent, pan-genotypic activity against hepatitis C virus
- Aqueous extract from Mangifera indica Linn. (Anacardiaceae) leaves exerts long-term hypoglycemic effect, increases insulin sensitivity and plasma insulin levels on diabetic Wistar rats
- Marine seafood production via intense exploitation and cultivation in China: Costs, benefits, and risks
- Signatures of medical student applicants and academic success
- Discovery of Jogalong virus, a novel hepacivirus identified in a Culex annulirostris (Skuse) mosquito from the Kimberley region of Western Australia
- The effects of extended photoperiod and warmth on hair growth in ponies and horses at different times of year
- Modeling the effect of prolonged ethanol exposure on global gene expression and chromatin accessibility in normal 3D colon organoids
- Clinical, cytogenetic and molecular genetic characterization of a tandem fusion translocation in a male Holstein cattle with congenital hypospadias and a ventricular septal defect
- Severity of misophonia symptoms is associated with worse cognitive control when exposed to misophonia trigger sounds
- Detection of Torque Teno Virus (TTV) and TTV-Like Minivirus in patients with presumed infectious endophthalmitis in India
- CD4 rate of increase is preferred to CD4 threshold for predicting outcomes among virologically suppressed HIV-infected adults on antiretroviral therapy
- The evolution of secondary flow phenomena and their effect on primary shock conditions in shock tubes: Experimentation and numerical model
- Estimating the basic reproduction number of a pathogen in a single host when only a single founder successfully infects
- What drugs modify the risk of iatrogenic impulse-control disorders in Parkinson’s disease? A preliminary pharmacoepidemiologic study
- Evaluating emotional distress and health-related quality of life in patients with heart failure and their family caregivers: Testing dyadic dynamics using the Actor-Partner Interdependence Model
- Community- and trophic-level responses of soil nematodes to removal of a non-native tree at different stages of invasion
- Association of ECG parameters with late gadolinium enhancement and outcome in patients with clinical suspicion of acute or subacute myocarditis referred for CMR imaging
- Sonographic measurement of normal common bile duct diameter and associated factors at the University of Gondar comprehensive specialized hospital and selected private imaging center in Gondar town, North West Ethiopia
- Catchment-scale export of antibiotic resistance genes and bacteria from an agricultural watershed in central Iowa
- Impact of multi-drug resistant bacteria on economic and clinical outcomes of healthcare-associated infections in adults: Systematic review and meta-analysis
- Characterization of a universal screening approach for congenital CMV infection based on a highly-sensitive, quantitative, multiplex real-time PCR assay
- Proof-of-concept for a non-invasive, portable, and wireless device for cardiovascular monitoring in pediatric patients
- On PTV definition for glioblastoma based on fiber tracking of diffusion tensor imaging data
- Multiregional origins of the domesticated tetraploid wheats
- Racism against Totonaco women in Veracruz: Intercultural competences for health professionals are necessary
- Increased inflammation and endothelial markers in patients with late severe post-thrombotic syndrome
- Genes associated with body weight gain and feed intake identified by meta-analysis of the mesenteric fat from crossbred beef steers
- Intraoperative computed tomography imaging for dose calculation in intraoperative electron radiation therapy: Initial clinical observations
- Multiple paedomorphic lineages of soft-substrate burrowing invertebrates: parallels in the origin of Xenocratena and Xenoturbella
- Human lung epithelial BEAS-2B cells exhibit characteristics of mesenchymal stem cells
- Simple non-mydriatic retinal photography is feasible and demonstrates retinal microvascular dilation in Chronic Obstructive Pulmonary Disease (COPD)
- Evaluating poverty alleviation strategies in a developing country
- RNAmountAlign: Efficient software for local, global, semiglobal pairwise and multiple RNA sequence/structure alignment
- Maternal depressive symptoms and children’s cognitive development: Does early childcare and child’s sex matter?
- Pan-cancer analysis of somatic mutations and epigenetic alterations in insulated neighbourhood boundaries
- Evaluation of a bioengineered ACL matrix’s osteointegration with BMP-2 supplementation
- Psychosocial profiles of physical activity fluctuation in office employees: A latent profile analysis
- Prevalence and characteristics of Livestock-Associated Methicillin-Resistant Staphylococcus aureus (LA-MRSA) isolated from chicken meat in the province of Quebec, Canada
- HIV treatment response among female sex workers participating in a treatment as prevention demonstration project in Cotonou, Benin
- Soluble AXL as a marker of disease progression and survival in melanoma
- Using machine learning methods to determine a typology of patients with HIV-HCV infection to be treated with antivirals
- Quantifying tourism booms and the increasing footprint in the Arctic with social media data
- Gender differences influence over insomnia in Korean population: A cross-sectional study
- Impact of scion/rootstock reciprocal effects on metabolomics of fruit juice and phloem sap in grafted Citrus reticulata
- Adapting cognitive diagnosis computerized adaptive testing item selection rules to traditional item response theory
- Usability assessment of seven HIV self-test devices conducted with lay-users in Johannesburg, South Africa
- Autumn shifts in cold tolerance metabolites in overwintering adult mountain pine beetles
- Management of veterinary anaesthesia in small animals: A survey of current practice in Quebec
- Genetic structure of the European hedgehog (Erinaceus europaeus) in Denmark
- Molecular karyotyping of Siberian wild rye (Elymus sibiricus L.) with oligonucleotide fluorescence in situ hybridization (FISH) probes
- Umbilical cord separation time, predictors and healing complications in newborns with dry care
- The strain distribution in the lumbar anterior longitudinal ligament is affected by the loading condition and bony features: An in vitro full-field analysis
- Marine resource congestion in China: Identifying, measuring, and assessing its impact on sustainable development of the marine economy
- Analysis of attitudinal components towards statistics among students from different academic degrees
- Effects of fatigue induced by repeated-sprint on kicking accuracy and velocity in female soccer players
- A pre-clinical validation plan to evaluate analytical sensitivities of molecular diagnostics such as BD MAX MDR-TB, Xpert MTB/Rif Ultra and FluoroType MTB
- Leadership for success in transforming medical abortion policy in Canada
- Clinical correlates associated with the long-term response of bipolar disorder patients to lithium, valproate or lamotrigine: A retrospective study
- Determinants of change in long-acting or permanent contraceptives use in Ethiopia; A multivariate decomposition analysis of data from the Ethiopian demographic and health survey
- Forecasting stock prices with long-short term memory neural network based on attention mechanism
- On the genus Crossaster (Echinodermata: Asteroidea) and its distribution
- Intracellular and in vivo evaluation of imidazo[2,1-b]thiazole-5-carboxamide anti-tuberculosis compounds
- Serum amyloid P component promotes formation of distinct aggregated lysozyme morphologies and reduces toxicity in Drosophila flies expressing F57I lysozyme
- Optogenetically induced cellular habituation in non-neuronal cells
- An integrated vitamin E-coated polymer hybrid nanoplatform: A lucrative option for an enhanced in vitro macrophage retention for an anti-hepatitis B therapeutic prospect
- The effect of strontium and silicon substituted hydroxyapatite electrochemical coatings on bone ingrowth and osseointegration of selective laser sintered porous metal implants
- Modeling the Theory of Planned Behaviour to predict adherence to preventive dental visits in preschool children
- Molecular prevalence of Bartonella, Babesia, and hemotropic Mycoplasma species in dogs with hemangiosarcoma from across the United States
- Color discrimination and gas chromatography-mass spectrometry fingerprint based on chemometrics analysis for the quality evaluation of Schizonepetae Spica
- Comparisons of recurrence-free survival and overall survival between microwave versus radiofrequency ablation treatment for hepatocellular carcinoma: A multiple centers retrospective cohort study with propensity score matching
- Transcriptome-wide identification of novel circular RNAs in soybean in response to low-phosphorus stress
- Oral misoprostol, low dose vaginal misoprostol, and vaginal dinoprostone for labor induction: Randomized controlled trial
- The association between dietary patterns before and in early pregnancy and the risk of gestational diabetes mellitus (GDM): Data from the Malaysian SECOST cohort
- Gene expression noise in a complex artificial toxin expression system
- Dynamic Extreme Aneuploidy (DEA) in the vegetable pathogen Phytophthora capsici and the potential for rapid asexual evolution
- Assertive, trainable and older dogs are perceived as more dominant in multi-dog households
- Prediction of Uropathogens by Flow Cytometry and Dip-stick Test Results of Urine Through Multivariable Logistic Regression Analysis
- Accelerated brain aging towards transcriptional inversion in a zebrafish model of the K115fs mutation of human PSEN2
- Copper to Tuscany – Coals to Newcastle? The dynamics of metalwork exchange in early Italy
- The Brazilian TP53 mutation (R337H) and sarcomas
- Interleukin 6 is increased in preclinical HNSCC models of acquired cetuximab resistance, but is not required for maintenance of resistance
- Detection of amitraz resistance and reduced treatment efficacy in the Varroa Mite, Varroa destructor, within commercial beekeeping operations
- Impact of viral disease hypophagia on pig jejunal function and integrity
- Enzyme response of activated sludge to a mixture of emerging contaminants in continuous exposure
- Molecular evidence for horizontal transmission of chelonid alphaherpesvirus 5 at green turtle (Chelonia mydas) foraging grounds in Queensland, Australia
- Technology anxiety and resistance to change behavioral study of a wearable cardiac warming system using an extended TAM for older adults
- Evaluation and validation of 2D biomechanical models of the knee for radiograph-based preoperative planning in total knee arthroplasty
- Soil-Transmitted Helminth infections reduction in Bhutan: A report of 29 years of deworming
- Age-related differences in the temporal dynamics of spectral power during memory encoding
- cagA gene EPIYA motif genetic characterization from Colombian Helicobacter pylori isolates: Standardization of a molecular test for rapid clinical laboratory detection
- Mugharat an-Nachcharini: A specialized sheep-hunting camp reveals high-altitude habitats in the earliest Neolithic of the Central Levant
- Spectral characteristics of urine from patients with end-stage kidney disease analyzed using Raman Chemometric Urinalysis (Rametrix)
- Clinicians’ communication with patients receiving a MCI diagnosis: The ABIDE project
- Quantitative PCR provides a simple and accessible method for quantitative microbiota profiling
- Fast quantitative time lapse displacement imaging of endothelial cell invasion
- Two novel mutations in MSX1 causing oligodontia
- 7,200 years old constructions and mudbrick technology: The evidence from Tel Tsaf, Jordan Valley, Israel
- Tuberculosis recurrences and predictive factors in a vulnerable population in Catalonia
- Dome-shaped macula in children and adolescents
- Barriers in the access, diagnosis and treatment completion for tuberculosis patients in central and western Nepal: A qualitative study among patients, community members and health care workers
- Evaluation of KRAS, NRAS and BRAF mutations detection in plasma using an automated system for patients with metastatic colorectal cancer
- Targeted transcriptomic study of the implication of central metabolic pathways in mannosylerythritol lipids biosynthesis in Pseudozyma antarctica T-34
- Preliminary evidences of the presence of extracellular DNA single stranded forms in soil
- A comparison of quality of life between patients treated with different dialysis modalities in Taiwan
- The effectiveness of substance use interventions for homeless and vulnerably housed persons: A systematic review of systematic reviews on supervised consumption facilities, managed alcohol programs, and pharmacological agents for opioid use disorder
- Spatiotemporal characteristics and driving forces of construction land expansion in Yangtze River economic belt, China
- Comparison of Monocyte Distribution Width (MDW) and Procalcitonin for early recognition of sepsis
- Morphological association between the muscles and bones in the craniofacial region
- Transcriptome analysis of Actinidia chinensis in response to Botryosphaeria dothidea infection
- Evaluating two decision aids for Australian men supporting informed decisions about prostate cancer screening: A randomised controlled trial
- Serum galectins as potential biomarkers of inflammatory bowel diseases
- Linguistic Z-number weighted averaging operators and their application to portfolio selection problem
- Comparative study on skin protection activity of polyphenol-rich extract and polysaccharide-rich extract from Sargassum vachellianum
- Real-world data about emotional stress, disability and need for social care in a German IBD patient cohort
- The regenerative compatibility: A synergy between healthy ecosystems, environmental attitudes, and restorative experiences
- Fusion of augmented reality imaging with the endoscopic view for endonasal skull base surgery; a novel application for surgical navigation based on intraoperative cone beam computed tomography and optical tracking
- Functional characterization of NK cells in Mexican pediatric patients with acute lymphoblastic leukemia: Report from the Mexican Interinstitutional Group for the Identification of the Causes of Childhood Leukemia
- Radiomics signature for prediction of lateral lymph node metastasis in conventional papillary thyroid carcinoma
- Antenatal depression and its association with adverse birth outcomes in low and middle-income countries: A systematic review and meta-analysis
- Perceptions of risk and influences of choice in pregnant women with obesity. An evidence synthesis of qualitative research
- The role of refugee and migrant migration status on medication adherence: Mediation through illness perceptions
- Job stress and emotional exhaustion at work in Spanish workers: Does unhealthy work affect the decision to drive?
- Correction: Amphibians on the hotspot: Molecular biology and conservation in the South American Atlantic Rainforest
- Sexual risk classes among youth experiencing homelessness: Relation to childhood adversities, current mental symptoms, substance use, and HIV testing
- Time for change is now: Experiences of participants in a community-based approach for iron and folic acid supplementation in a rural county in Kenya, a qualitative study
- Non-invasive genetic monitoring for the threatened valley elderberry longhorn beetle
- Statistical learning for turboshaft helicopter accidents using logistic regression
- Vegetation change over seven years in the largest protected Pacific Northwest Bunchgrass Prairie remnant
- The effect of various metal-salts on the sedimentation of soil in a water-based suspension
- Using electronic health record system triggers to target delivery of a patient-centered intervention to improve venous thromboembolism prevention for hospitalized patients: Is there a differential effect by race?
- Effects of CK2β subunit down-regulation on Akt signalling in HK-2 renal cells
- Novel broad-spectrum activity-based probes to profile malarial cysteine proteases
- Health-related quality of life in cancer patients treated with immune checkpoint inhibitors: A systematic review on reporting of methods in randomized controlled trials
- Environmental tobacco smoke (ETS) and hyperlipidemia modified by perceived work stress
- Association between opioid analgesic therapy and initiation of buprenorphine management: An analysis of prescription drug monitoring program data
- Effect of a community-based approach of iron and folic acid supplementation on compliance by pregnant women in Kiambu County, Kenya: A quasi-experimental study
- Radiocarbon dating of two old African baobabs from India
- Improvement project in higher education institutions: A BPEP-based model
- An updated evaluation of serum sHER2, CA15.3, and CEA levels as biomarkers for the response of patients with metastatic breast cancer to trastuzumab-based therapies
- Genome-wide association study of metabolic syndrome in Korean populations
- The diagnostic accuracy of liver fibrosis in non-viral liver diseases using acoustic radiation force impulse elastography: A systematic review and meta-analysis
- Drug therapy problems and treatment satisfaction among ambulatory patients with epilepsy in a specialized hospital in Ethiopia
- Short- & long-term effects of monetary and non-monetary incentives to cooperate in public good games: An experiment
- Niche modeling reveals life history shifts in birds at La Brea over the last twenty millennia
- Morphological consequences of artificial cranial deformation: Modularity and integration
- Distributed flux balance analysis simulations of serial biomass fermentation by two organisms
- Plasma kynurenines and prognosis in patients with heart failure
- Occurrence and distribution of anthropogenic persistent organic pollutants in coastal sediments and mud shrimps from the wetland of central Taiwan
- Intensified visual clutter induces increased sympathetic signalling, poorer postural control, and faster torsional eye movements during visual rotation
- Restoration of cortical symmetry and binaural function: Cortical auditory evoked responses in adult cochlear implant users with single sided deafness
- A smartphone-enabled wireless and batteryless implantable blood flow sensor for remote monitoring of prosthetic heart valve function
- Gut microbiota composition alterations are associated with the onset of diabetes in kidney transplant recipients
- Shock index and TIMI risk index as valuable prognostic tools in patients with acute coronary syndrome complicated by cardiogenic shock
- Merit overrules theory of mind when young children share resources with others
- Economic burden of maternal morbidity – A systematic review of cost-of-illness studies
- Comparison of balance changes after inspiratory muscle or Otago exercise training
- Correction: Escherichia coli and Salmonella spp. isolated from Australian meat chickens remain susceptible to critically important antimicrobial agents
- Metabolic analysis of amino acids and vitamin B6 pathways in lymphoma survivors with cancer related chronic fatigue
- Cell-free DNA donor fraction analysis in pediatric and adult heart transplant patients by multiplexed allele-specific quantitative PCR: Validation of a rapid and highly sensitive clinical test for stratification of rejection probability
- Immunopathogenesis of canine chronic ulcerative stomatitis
- Correction: Quantification of speech and synchrony in the conversation of adults with autism spectrum disorder
- Efficacy and safety of ultrasonic circular cyclocoagulation with second-generation probe in glaucoma: A retrospective study
- Generalizing findings from a randomized controlled trial to a real-world study of the iLookOut, an online education program to improve early childhood care and education providers’ knowledge and attitudes about reporting child maltreatment
- Self-selection of food ingredients and agricultural by-products by the house cricket, Acheta domesticus (Orthoptera: Gryllidae): A holistic approach to develop optimized diets
- Machine learning detection of Atrial Fibrillation using wearable technology
- Comparative proteomic analysis of different stages of breast cancer tissues using ultra high performance liquid chromatography tandem mass spectrometer
- A cross-sectional study of psychopathy and khat abuse among prisoners in the correctional institution in Jimma, Ethiopia
- Head impulse compensatory saccades: Visual dependence is most evident in bilateral vestibular loss
- Complementarity of empirical and process-based approaches to modelling mosquito population dynamics with Aedes albopictus as an example—Application to the development of an operational mapping tool of vector populations
- Pepsin promotes laryngopharyngeal neoplasia by modulating signaling pathways to induce cell proliferation
- When and what to test for: A cost-effectiveness analysis of febrile illness test-and-treat strategies in the era of responsible antibiotic use
- Comparison of effects and safety in providing controlled hypotension during surgery between dexmedetomidine and magnesium sulphate: A meta-analysis of randomized controlled trials
- The gene encoding the ketogenic enzyme HMGCS2 displays a unique expression during gonad development in mice
- Seroepidemiological study of rubella in Vojvodina, Serbia: 24 years after the introduction of the MMR vaccine in the national immunization programme
- Efficacy of a mitochondrion-targeting agent for reducing the level of urinary protein in rats with puromycin aminonucleoside-induced minimal-change nephrotic syndrome
- Association of endothelial nitric oxide synthase (NOS3) gene polymorphisms with primary open-angle glaucoma in a Saudi cohort
- Antitrust analysis with upward pricing pressure and cost efficiencies
- Machine learning models for identifying preterm infants at risk of cerebral hemorrhage
- Natural selection contributes to food web stability
- Pyramiding QTLs controlling tolerance against drought, salinity, and submergence in rice through marker assisted breeding
- Diversity and plant growth-promoting functions of diazotrophic/N-scavenging bacteria isolated from the soils and rhizospheres of two species of Solanum
- Sustainability effects of motor control stabilisation exercises on pain and function in chronic nonspecific low back pain patients: A systematic review with meta-analysis and meta-regression
- Sofosbuvir-based regimen for genotype 2 HCV infected patients in Taiwan: A real world experience
- The virulence domain of Shigella IcsA contains a subregion with specific host cell adhesion function
- Sequencing artifacts derived from a library preparation method using enzymatic fragmentation
- Analysis of the Rdr1 gene family in different Rosaceae genomes reveals an origin of an R-gene cluster after the split of Rubeae within the Rosoideae subfamily
- Concomitant phytonutrient and transcriptome analysis of mature fruit and leaf tissues of tomato (Solanum lycopersicum L. cv. Oregon Spring) grown using organic and conventional fertilizer
- Quantitative analysis of adsorption and desorption of volatile organic compounds on reusable zeolite filters using gas chromatography
- Comparing bioinformatic pipelines for microbial 16S rRNA amplicon sequencing
- TMEM98 is a negative regulator of FRAT mediated Wnt/ß-catenin signalling
- Modeling migration patterns in the USA under sea level rise
- Quo vadis Pantanal? Expected precipitation extremes and drought dynamics from changing sea surface temperature
- Cloud-computing and machine learning in support of country-level land cover and ecosystem extent mapping in Liberia and Gabon
- An exploratory study on the quality of patient screening and counseling for hypertension management in Tanzania
- Relation of fibroblast growth factor receptor 2 expression to hepatocellular carcinoma recurrence after liver resection
- The Brief Measure of Emotional Preoperative Stress (B-MEPS) as a new predictive tool for postoperative pain: A prospective observational cohort study
- The impact of diabetes mellitus medication on the incidence of endogenous endophthalmitis
- Correction: Chl1 DNA helicase and Scc2 function in chromosome condensation through cohesin deposition
- Clinical and pathological features of thrombotic microangiopathy influencing long-term kidney transplant outcomes
- Multidisciplinary investigation of two Egyptian child mummies curated at the University of Tartu Art Museum, Estonia (Late/Graeco-Roman Periods)
- Occupational exposure to particulate matter from air pollution in the outdoor workplaces in Almaty during the cold season
- Morphological adjustment in free-living Steinernema feltiae infective juveniles to increasing concentration of Nemafric-BL phytonematicide
- Murine Surf4 is essential for early embryonic development
- Using mHealth to improve health care delivery in India: A qualitative examination of the perspectives of community health workers and beneficiaries
- Algorithmic handwriting analysis of the Samaria inscriptions illuminates bureaucratic apparatus in biblical Israel
- Key necroptotic proteins are required for Smac mimetic-mediated sensitization of cholangiocarcinoma cells to TNF-α and chemotherapeutic gemcitabine-induced necroptosis
- Concurrent lipidomics and proteomics on malignant plasma cells from multiple myeloma patients: Probing the lipid metabolome
- Short treatment with antalarmin alters adrenal gland receptors in the rat model of endometriosis
- Is it really always only the others who are to blame? GP’s view on medical overuse. A questionnaire study
- Serum visfatin and vaspin levels in hepatocellular carcinoma (HCC)
- Retraction: SDR9C7 Promotes Lymph Node Metastases in Patients with Esophageal Squamous Cell Carcinoma
- iTRAQ proteomics reveals the regulatory response to Magnaporthe oryzae in durable resistant vs. susceptible rice genotypes
- A smartphone-based test for the assessment of attention deficits in delirium: A case-control diagnostic test accuracy study in older hospitalised patients
- Association between tuberculosis and depression on negative outcomes of tuberculosis treatment: A systematic review and meta-analysis
- Incidence and predictors of loss to follow up among adult HIV patients on antiretroviral therapy in University of Gondar Comprehensive Specialized Hospital: A competing risk regression modeling
- Point-of-care diagnostic (POCD) method for detecting Bursaphelenchus xylophilus in pinewood using recombinase polymerase amplification (RPA) with the portable optical isothermal device (POID)
- Bioluminescent imaging of Arabidopsis thaliana using an enhanced Nano-lantern luminescence reporter system
- Biosynthetic pathway of indole-3-acetic acid in ectomycorrhizal fungi collected from northern Thailand
- Clinical implications of elevated serum interleukin-6 in IgG4-related disease
- Downscaling NLDAS-2 daily maximum air temperatures using MODIS land surface temperatures
- Sex-specific and opposite modulatory aspects revealed by PPI network and pathway analysis of ischemic stroke in humans
- Plasma Trimethylamine-N-oxide and impaired glucose regulation: Results from The Oral Infections, Glucose Intolerance and Insulin Resistance Study (ORIGINS)
- Self-esteem and other risk factors for depressive symptoms among adolescents in United Arab Emirates
- Control of the microsporidian parasite Nosema ceranae in honey bees (Apis mellifera) using nutraceutical and immuno-stimulatory compounds
- The effect of storage conditions on microbial communities in stool
- Role of donor genotype in RT-QuIC seeding activity of chronic wasting disease prions using human and bank vole substrates
- Influence of flow on phosphorus-dynamics and particle size in agricultural drainage ditch sediments
- A prospective, randomized, double-blind trial to compare body weight-adjusted and fixed doses of palonosetron for preventing postoperative nausea and vomiting in obese female patients
- Application of computerized 3D-CT texture analysis of pancreas for the assessment of patients with diabetes
- Predictive validation and forecasts of short-term changes in healthcare expenditure associated with changes in smoking behavior in the United States
- An information-based approach to handle various types of uncertainty in fuzzy bodies of evidence
- Oral magnesium supplementation for leg cramps in pregnancy—An observational controlled trial
- Health care professionals’ knowledge of commonly used sedative, analgesic and neuromuscular drugs: A single center (Rambam Health Care Campus), prospective, observational survey
- Campylobacter portucalensis sp. nov., a new species of Campylobacter isolated from the preputial mucosa of bulls
- OGG1 deficiency alters the intestinal microbiome and increases intestinal inflammation in a mouse model
- Transgenic interleukin 11 expression causes cross-tissue fibro-inflammation and an inflammatory bowel phenotype in mice
- Novel method to measure temporal windows based on eye movements during viewing of the Necker cube
- Whole blood transcriptomic analysis of beef cattle at arrival identifies potential predictive molecules and mechanisms that indicate animals that naturally resist bovine respiratory disease
- Effects of smoke flavoring using different wood chips and barbecuing on the formation of polycyclic aromatic hydrocarbons and heterocyclic aromatic amines in salmon fillets
- Sleep quality and sex modify the relationships between trait energy and fatigue on state energy and fatigue
- The role of peer, parental, and school norms in predicting adolescents’ attitudes and behaviours of majority and different minority ethnic groups in Croatia
- Filtered beauty in Oslo and Tokyo: A spatial frequency analysis of facial attractiveness
- The impact of rehabilitation frequency on the risk of stroke in patients with rheumatoid arthritis
- Availability, prices and affordability of selected antibiotics and medicines against non-communicable diseases in western Cameroon and northeast DR Congo
- The effect of mutations derived from mouse-adapted H3N2 seasonal influenza A virus to pathogenicity and host adaptation
- Detection of posttraumatic pneumothorax using electrical impedance tomography—An observer-blinded study in pigs with blunt chest trauma
- Educators’ perceptions of organisational readiness for implementation of a pre-adolescent transdisciplinary school health intervention for inter-generational outcomes
- Beyond the heterodimer model for mineralocorticoid and glucocorticoid receptor interactions in nuclei and at DNA
- The effects of sport expertise and shot results on basketball players’ action anticipation
- Framework and algorithms for identifying honest blocks in blockchain
- Efficacy and safety of anti-viral therapy for Hepatitis B virus-associated glomerulonephritis: A meta-analysis
- Selective transmission of some HIV-1 subtype C variants might depend on Envelope stimulating dendritic cells to secrete IL-10
- Noise reduction and quantification of fiber orientations in greyscale images
- Exploring the impact of terminology differences in blood and organ donor decision making
- Ontogenetic similarities between giraffe and sauropod neck osteological mobility
- Load transfer mechanism and critical length of anchorage zone for anchor bolt
- Income inequalities in stroke incidence and mortality: Trends in stroke-free and stroke-affected life years based on German health insurance data
- Community’s perception, experiences and health seeking behavior towards newborn illnesses in Debre Libanos District, North Shoa, Oromia, Ethiopia: Qualitative study
- Platelet indices significantly correlate with liver fibrosis in HCV-infected patients
- Reanalysis of the Bridge et al. study of suicide following release of 13 Reasons Why
- Validation of the easyscreen flavivirus dengue alphavirus detection kit based on 3base amplification technology and its application to the 2016/17 Vanuatu dengue outbreak
- The nitrate content of fresh and cooked vegetables and their health-related risks
- Bioreactor for mobilization of mesenchymal stem/stromal cells into scaffolds under mechanical stimulation: Preliminary results
- Serotonin transporter dependent modulation of food-seeking behavior
- Implicit task switching in Parkinson’s disease is preserved when on medication
- Root treatment with oxathiapiprolin, benthiavalicarb or their mixture provides prolonged systemic protection against oomycete foliar pathogens
- Real-world effectiveness and safety of ranibizumab for the treatment of myopic choroidal neovascularization: Results from the LUMINOUS study
- Non-gradient and genotype-dependent patterns of RSV gene expression
- Multiplex real-time PCR for the detection of Clavibacter michiganensis subsp. michiganensis, Pseudomonas syringae pv. tomato and pathogenic Xanthomonas species on tomato plants
- The 24-hour urinary cortisol in post-traumatic stress disorder: A meta-analysis
- Parasites modulate the gut-microbiome in insects: A proof-of-concept study
- The dynamics of shapes of vesicle membranes with time dependent spontaneous curvature
- Vascularization and biocompatibility of poly(ε-caprolactone) fiber mats for rotator cuff tear repair
- The shield of self-compassion: A buffer against disordered eating risk from physical appearance perfectionism
- Disease-specific out-of-pocket healthcare expenditure in urban Bangladesh: A Bayesian analysis
- Advanced biofilm analysis in streams receiving organic deicer runoff
- Upregulation of long non-coding RNA ROR1-AS1 promotes cell growth and migration in bladder cancer by regulation of miR-504
- Method development and validation for rapid identification of epigallocatechin gallate using ultra-high performance liquid chromatography
- Neonatal sepsis in Iran: A systematic review and meta-analysis on national prevalence and causative pathogens
- Drug-eluting versus bare-metal stents for first myocardial infarction in patients with atrial fibrillation: A nationwide population-based cohort study
- Same-day antiretroviral therapy initiation for HIV-infected adults in South Africa: Analysis of routine data
- Health-related quality of life among patients with type 2 diabetes mellitus in Eastern Province, Saudi Arabia: A cross-sectional study
- Photocatalytic biocidal effect of copper doped TiO2 nanotube coated surfaces under laminar flow, illuminated with UVA light on Legionella pneumophila
- The interoceptive hippocampus: Mouse brain endocrine receptor expression highlights a dentate gyrus (DG)–cornu ammonis (CA) challenge–sufficiency axis
- Educational attainment and HIV testing and counselling service utilisation during antenatal care in Ghana: Analysis of Demographic and Health Surveys
- Dissection of flag leaf metabolic shifts and their relationship with those occurring simultaneously in developing seed by application of non-targeted metabolomics
- Centromeres of Cucumis melo L. comprise Cmcent and two novel repeats, CmSat162 and CmSat189
- Acute high-intensity and moderate-intensity interval exercise do not change corticospinal excitability in low fit, young adults
- “I like the way I am, but I feel like I could get a little bit bigger”: Perceptions of body image among adolescents and youth living with HIV in Durban, South Africa
- Nanoparticle-based ‘turn-on’ scattering and post-sample fluorescence for ultrasensitive detection of water pollution in wider window
- The relationship of moral sensitivity and patient safety attitudes with nursing students’ perceptions of disclosure of patient safety incidents: A cross-sectional study
- Insights into the strategy of micro-environmental adaptation: Transcriptomic analysis of two alvinocaridid shrimps at a hydrothermal vent
- Thirty-day readmission after medical-surgical hospitalization for people who experience imprisonment in Ontario, Canada: A retrospective cohort study
- The effect of long-term brine discharge from desalination plants on benthic foraminifera
- Hyper-spectral response and estimation model of soil degradation in Kenli County, the Yellow River Delta
- Prescribing trends of glaucoma drugs in six major cities of China from 2013 to 2017
- Significant changes in synovial fluid microRNAs after high tibial osteotomy in medial compartmental knee osteoarthritis: Identification of potential prognostic biomarkers
- Reassortment and adaptive mutations of an emerging avian influenza virus H7N4 subtype in China
- Ischemia and reperfusion injury in superficial inferior epigastric artery-based vascularized lymph node flaps
- High failure rates of protease inhibitor-based antiretroviral treatment in rural Tanzania – A prospective cohort study
- Switchable resolution in soft x-ray tomography of single cells
- Mitochondrial DNA variations and mitochondrial dysfunction in Fanconi anemia
- Extended-spectrum beta-lactamase (ESBL)-producing and non-ESBL-producing Escherichia coli isolates causing bacteremia in the Netherlands (2014 – 2016) differ in clonal distribution, antimicrobial resistance gene and virulence gene content
- Molecular characterization of blaKHM-1 encoding plasmid in an Enterobacter hormaechei subsp. hoffmannii isolate from blood culture
- PR3 levels are impaired in plasma and PBMCs from Arabs with cardiovascular diseases
- Sex differences in self-regulation in early, middle and late adolescence: A large-scale cross-sectional study
- Interaction between elevated temperature and different types of Na-salicylate treatment in Brachypodium dystachion
- A highway crash risk assessment method based on traffic safety state division
- A brain connectivity characterization of children with different levels of mathematical achievement based on graph metrics
- Quantifying the level of difficulty to treat major depressive disorder with antidepressants: Treatment Resistance to Antidepressants Evaluation Scale
- Occupational gender segregation and economic growth in U.S. local labor markets, 1980 through 2010
- The association of telomere length and telomerase activity with adverse outcomes in older patients with non-ST-elevation acute coronary syndrome
- Construction of a high-density genetic map and fine mapping of a candidate gene locus for a novel branched-spike mutant in barley
- Alterations of aqueous humor Aβ levels in Aβ-infused and transgenic mouse models of Alzheimer disease
- Parameters impacting the live birth rate per transfer after frozen single euploid blastocyst transfer
- Deep2Full: Evaluating strategies for selecting the minimal mutational experiments for optimal computational predictions of deep mutational scan outcomes
- Economic compensation interventions to increase uptake of voluntary medical male circumcision for HIV prevention: A systematic review and meta-analysis
- Distinctive effect of anesthetics on the effect of limb remote ischemic postconditioning following ischemic stroke
- Natural hybridization between Phyllagathis and Sporoxeia species produces a hybrid without reproductive organs
- Preliminary evaluation of a novel nine-biomarker profile for the prediction of autism spectrum disorder
- The impact of peer attachment on prosocial behavior, emotional difficulties and conduct problems in adolescence: The mediating role of empathy
- Spatial and climatic variables independently drive elevational gradients in ant species richness in the Eastern Himalaya
- What is the qualitative evidence concerning the risks, diagnosis, management and consequences of gastrointestinal infections in the community in the United Kingdom? A systematic review and meta-ethnography
- Naringenin protects AlCl3/D-galactose induced neurotoxicity in rat model of AD via attenuation of acetylcholinesterase levels and inhibition of oxidative stress
- Key barriers and enablers associated with uptake and continuation of oral pre-exposure prophylaxis (PrEP) in the public sector in Zimbabwe: Qualitative perspectives of general population clients at high risk for HIV
- Characterizing the University of California’s tenure-track teaching position from the faculty and administrator perspectives
- Restoration of Mal overcomes the defects of apoptosis in lung cancer cells
- Patient preferences for maintenance therapy in Crohn’s disease: A discrete-choice experiment
- Diagnostic performance of serum interferon gamma, matrix metalloproteinases, and periostin measurements for pulmonary tuberculosis in Japanese patients with pneumonia
- Hesperidin improves insulin resistance via down-regulation of inflammatory responses: Biochemical analysis and in silico validation
- Accuracy of intraocular lens power calculation formulas using a swept-source optical biometer
- Characterization of black patina from the Tiber River embankments using Next-Generation Sequencing
- Comparison of blood lactate and perceived exertion responses in two matched time-under-tension protocols
- Fibrin hydrogels are safe, degradable scaffolds for sub-retinal implantation
- Post-translational modifications of Drosophila melanogaster HOX protein, Sex combs reduced
- Problem gambling, associations with comorbid health conditions, substance use, and behavioural addictions: Opportunities for pathways to treatment
- Liganded T3 receptor β2 inhibits the positive feedback autoregulation of the gene for GATA2, a transcription factor critical for thyrotropin production
- Characterization of METTL16 as a cytoplasmic RNA binding protein
- Impact of long-term storage and freeze-thawing on eight circulating microRNAs in plasma samples
- Nanosheet wrapping-assisted coverslip-free imaging for looking deeper into a tissue at high resolution
- Assessment of dynamic cerebral autoregulation in humans: Is reproducibility dependent on blood pressure variability?
- Early diagnosis of sepsis in emergency departments, time to treatment, and association with mortality: An observational study
- Validity of cerebrovascular ICD-9-CM codes in healthcare administrative databases. The Umbria Data-Value Project
- Tuberculoid leprosy: An in vivo microvascular evaluation of cutaneous lesions
- Neuromuscular blockers in the acute respiratory distress syndrome: A meta-analysis
- Identification of putative Type-I sex pheromone biosynthesis-related genes expressed in the female pheromone gland of Streltzoviella insularis
- Redefining transcriptional regulation of the APOE gene and its association with Alzheimer’s disease
- Disease-relevant mutations alter amino acid co-evolution networks in the second nucleotide binding domain of CFTR
- A bushel of viruses: Identification of seventeen novel putative viruses by RNA-seq in six apple trees
- Torque teno virus viral load is related to age, CMV infection and HLA type but not to Alzheimer's disease
- The variability of bacterial communities in both the endosphere and ectosphere of different niches in Chinese chives (Allium tuberosum)
- Tripartite factors leading to molecular divergence between human and murine smooth muscle
- Characterization of dermal skin innervation in fibromyalgia syndrome
- A neonatal nonhuman primate model of gestational Zika virus infection with evidence of microencephaly, seizures and cardiomyopathy
- A scoping review of importation and predictive models related to vector-borne diseases, pathogens, reservoirs, or vectors (1999–2016)
- Assessment of climate change impact on the malaria vector Anopheles hyrcanus, West Nile disease, and incidence of melanoma in the Vojvodina Province (Serbia) using data from a regional climate model
- Associations of cigarette smoking and burden of thoracic aortic calcification in asymptomatic individuals: A dose-response relationship
- Healthcare utilization of Mexican-American Medicare beneficiaries with and without Alzheimer’s disease and related dementias
- Evaluation of questionnaire as an instrument to measure the level of nutritional and weight gain knowledge in pregnant women in Poland. A pilot study
- TranCEP: Predicting the substrate class of transmembrane transport proteins using compositional, evolutionary, and positional information
- Non-Invasive Functional-Brain-Imaging with an OPM-based Magnetoencephalography System
- Expression of acyl-CoA-binding protein 5 from Rhodnius prolixus and its inhibition by RNA interference
- Transforming assessment of speech in children with cleft palate via online crowdsourcing
- High prevalence of off-label and unlicensed paediatric prescribing in a hospital in Indonesia during the period Aug.—Oct. 2014
- General practice management of rotator cuff related shoulder pain: A reliance on ultrasound and injection guided care
- Estimating the population size of female sex workers and transgender women in Sri Lanka
- Can helmet decrease mortality of craniocerebral trauma patients in a motorcycle accident?: A propensity score matching
- Obesity, smoking habits, and serum phosphate levels predicts mortality after life-style intervention
- Treatment of children under 4 years of age with medulloblastoma and ependymoma in the HIT2000/HIT-REZ 2005 trials: Neuropsychological outcome 5 years after treatment
- Can a semi-quantitative method replace the current quantitative method for the annual screening of microalbuminuria in patients with diabetes? Diagnostic accuracy and cost-saving analysis considering the potential health burden
- A two-arm parallel double-blind randomised controlled pilot trial of the efficacy of Omega-3 polyunsaturated fatty acids for the treatment of women with endometriosis-associated pain (PurFECT1)
- Association of benzodiazepines, opioids and tricyclic antidepressants use and falls in trauma patients: Conditional effect of age
- Burden and risk factors of cutaneous leishmaniasis in a peri-urban settlement in Kenya, 2016
- Predicting strike susceptibility and collision patterns of the common buzzard at wind turbine structures in the federal state of Brandenburg, Germany
- Embryonic thermal manipulation has short and long-term effects on the development and the physiology of the Japanese quail
- High-order radiomics features based on T2 FLAIR MRI predict multiple glioma immunohistochemical features: A more precise and personalized gliomas management
- Human-raptor conflict in rural settlements of Colombia
- Regional adaptations and parallel mutations in Feline panleukopenia virus strains from China revealed by nearly-full length genome analysis
- Long-term ecological research in southern Brazil grasslands: Effects of grazing exclusion and deferred grazing on plant and arthropod communities
- Assessment of peritoneal microbial features and tumor marker levels as potential diagnostic tools for ovarian cancer
- Survival analysis of 230 patients with unresectable hepatocellular carcinoma treated with bland transarterial embolization
- Adverse drug reaction reporting practice and associated factors among medical doctors in government hospitals in Addis Ababa, Ethiopia
- TaWAK6 encoding wall-associated kinase is involved in wheat resistance to leaf rust similar to adult plant resistance
- Deficiency syndromes in top predators associated with large-scale changes in the Baltic Sea ecosystem
- The inhibitor of apoptosis proteins antagonist Debio 1143 promotes the PD-1 blockade-mediated HIV load reduction in blood and tissues of humanized mice
- Allele specific expression of Dof genes responding to hormones and abiotic stresses in sugarcane
- Perceived relative social status and cognitive load influence acceptance of unfair offers in the Ultimatum Game
- Quantitative evaluation of choriocapillaris using optical coherence tomography and optical coherence tomography angiography in patients with central serous chorioretinopathy after half-dose photodynamic therapy
- Structure-function analyses of candidate small molecule RPN13 inhibitors with antitumor properties
- Extracting lung function measurements to enhance phenotyping of chronic obstructive pulmonary disease (COPD) in an electronic health record using automated tools
- Multiple fragmented habitat-patch use in an urban breeding passerine, the Short-toed Treecreeper
- Histological and immunohistochemical characterization of the porcine ocular surface
- Household environmental tobacco smoke exposure in healthy young children in Hong Kong: Prevalence and risk factors
- Wind energy development and wildlife conservation in Lithuania: A mapping tool for conflict assessment
- Characteristics and prognosis of primary treatment-naïve oral cavity squamous cell carcinoma in Norway, a descriptive retrospective study
- Effect of epoch length on intensity classification and on accuracy of measurement under controlled conditions on treadmill: Towards a better understanding of accelerometer measurement
- Peer distribution of HIV self-test kits to men who have sex with men to identify undiagnosed HIV infection in Uganda: A pilot study
- Error rates of human reviewers during abstract screening in systematic reviews
- Faecal analyses and alimentary tracers reveal the foraging ecology of two sympatric bats
- Urethral realignment with maximal urethral length and bladder neck preservation in robot-assisted radical prostatectomy: Urinary continence recovery
- Error metrics determination in functionally approximated circuits using SAT solvers
- Spatial movement pattern recognition in soccer based on relative player movements
- A novel visual ranking system based on arterial spin labeling perfusion imaging for evaluating perfusion disturbance in patients with ischemic stroke
- Prospective Validation of the Laboratory Risk Indicator for Necrotizing Fasciitis (LRINEC) Score for Necrotizing Fasciitis of the Extremities
- The importance of transporters and cell polarization for the evaluation of human stem cell-derived hepatic cells
- Incidence, trends, and outcomes of infection sites among hospitalizations of sepsis: A nationwide study
- Morphological and functional characteristics of mitral annular calcification and their relationship to stroke
- And the nominees are: Using design-awards datasets to build computational aesthetic evaluation model
- Service delivery interventions to increase uptake of voluntary medical male circumcision for HIV prevention: A systematic review
- Multidimensional Scales of Perceived Self-Efficacy (MSPSE): Measurement invariance across Italian and Colombian adolescents
- Diversity of Mycobacteriaceae from aquatic environment at the São Paulo Zoological Park Foundation in Brazil
- A graph-based algorithm for RNA-seq data normalization
- Parents’ underestimation of their child’s weight status. Moderating factors and change over time: A cross-sectional study
- Pharmacokinetics, absolute bioavailability and tolerability of ketamine after intranasal administration to dexmedetomidine sedated dogs
- Spatial variation in fertilizer prices in Sub-Saharan Africa
- Knowledge, beliefs, and concerns about bone health from a systematic review and metasynthesis of qualitative studies
- Successful isolation of Treponema pallidum strains from patients’ cryopreserved ulcer exudate using the rabbit model
- Effects of size and elasticity on the relation between flow velocity and wall shear stress in side-wall aneurysms: A lattice Boltzmann-based computer simulation study
- Pupil response to noxious corneal stimulation
- Incidence, risk factors and healthcare costs of central line-associated nosocomial bloodstream infections in hematologic and oncologic patients
- The impact of computed radiography and teleradiology on patients’ diagnosis and treatment in Mweso, the Democratic Republic of Congo
- Differential effects of synthetic psychoactive cathinones and amphetamine stimulants on the gut microbiome in mice
- Hepatitis B and C virus infection among HIV patients within the public and private healthcare systems in Chile: A cross-sectional serosurvey
- Increased episodes of aspiration on videofluoroscopic swallow study in children with nasogastric tube placement
- Obstructive sleep apnea and hypopnea syndrome in patients admitted in a tertiary hospital in Cameroon: Prevalence and associated factors
- Association of single nucleotide polymorphisms with dyslipidemia in antiretroviral exposed HIV patients in a Ghanaian population: A case-control study
- Sonic Hedgehog upregulation does not enhance the survival and engraftment of stem cell-derived cardiomyocytes in infarcted hearts
- The pharmacokinetic parameters and the effect of a single and repeated doses of memantine on gastric myoelectric activity in experimental pigs
- Blind method for discovering number of clusters in multidimensional datasets by regression on linkage hierarchies generated from random data
- Predictive factors of first dosage intravenous immunoglobulin-related adverse effects in children
- Description and characterization of the artisanal elasmobranch fishery on Guatemala’s Caribbean coast
- Individual and community level determinants of short birth interval in Ethiopia: A multilevel analysis
- Effects of rejection intensity and rejection sensitivity on social approach behavior in women
- The impact of IoT security labelling on consumer product choice and willingness to pay
- The development and validation of a measurement instrument to investigate determinants of health care utilisation for low back pain in Ethiopia
- Validity of the French version of the Autonomy Preference Index and its adaptation for patients with advanced cancer
- The epidemiological characteristics and spatio-temporal analysis of childhood hand, foot and mouth disease in Korea, 2011-2017
- Exponential random graph model parameter estimation for very large directed networks
- The implementation of community-based diabetes and hypertension management care program in Indonesia
- Effect of temperature variation on hospital admissions and outcomes in dogs with myxomatous mitral valve disease and new onset pulmonary edema
- The development of the Police Practices Scale: Understanding policing approaches towards street-based female sex workers in a U.S. City
- A capability approach to assess aquaculture sustainability standard compliance
- Pre-collecting lymphatic vessels form detours following obstruction of lymphatic flow and function as collecting lymphatic vessels
- Construct validity and reliability of the Talent Development Environment Questionnaire in Caribbean youth track and field athletes
- Optimization of cytotoxic activity of Nocardia sp culture broths using a design of experiments
- Tissue-resident macrophages can be generated de novo in adult human skin from resident progenitor cells during substance P-mediated neurogenic inflammation ex vivo
- Microbiota in foods from Inuit traditional hunting
- Investigating Italian disinformation spreading on Twitter in the context of 2019 European elections
- In vivo expression of peptidylarginine deiminase in Drosophila melanogaster
- Modelling zero-truncated overdispersed antenatal health care count data of women in Bangladesh
- Detection and density of breeding marsh birds in Iowa wetlands
- A lineage-specific rapid diagnostic test (Chagas Sero K-SeT) identifies Brazilian Trypanosoma cruzi II/V/VI reservoir hosts among diverse mammalian orders
- Aromatase deficiency in hematopoietic cells improves glucose tolerance in male mice through skeletal muscle-specific effects
- If host is refractory, insistent parasite goes berserk: Trypanosomatid Blastocrithidia raabei in the dock bug Coreus marginatus
- Antimicrobial resistance patterns and molecular resistance markers of Campylobacter jejuni isolates from human diarrheal cases
- Protective role of brain derived neurotrophic factor (BDNF) in obstructive sleep apnea syndrome (OSAS) patients
- An IL-18-centered inflammatory network as a biomarker for cerebral white matter injury
- Prevalence of antiphospholipid antibodies in Behçet's disease: A systematic review and meta-analysis
- Chemical analysis of snus products from the United States and northern Europe
- Effect of prednisolone on glyoxalase 1 in an inbred mouse model of aristolochic acid nephropathy using a proteomics method with fluorogenic derivatization-liquid chromatography-tandem mass spectrometry
- Impact of early-onset persistent stunting on cognitive development at 5 years of age: Results from a multi-country cohort study
- Aggregation of CAT tails blocks their degradation and causes proteotoxicity in S. cerevisiae
- Expression of concern: Compensatory increase of transglutaminase 2 is responsible for resistance to mTOR inhibitor treatment
- Common mental illness among epilepsy patients in Bahir Dar city, Ethiopia: A cross-sectional study
- Staging dementia based on caregiver reported patient symptoms: Implications from a latent class analysis
- Health-related quality of life and its determinants among ambulatory patients with epilepsy at Ambo General Hospital, Ethiopia: Using WHOQOL-BREF
- In silico analysis and high-risk pathogenic phenotype predictions of non-synonymous single nucleotide polymorphisms in human Crystallin beta A4 gene associated with congenital cataract
- Fungal diversity in canopy soil of silver beech, Nothofagus menziesii (Nothofagaceae)
- Referral decisions and its predictors related to orthopaedic care. A retrospective study in a novel primary care setting
- Readiness to prescribe: Using educational design to untie the Gordian Knot
- Influence of gelation on the retention of purple cactus pear extract in microencapsulated double emulsions
- Factors related to met needs for rehabilitation 6 years after stroke
- Association of cataract and sun exposure in geographically diverse populations of India: The CASE study. First Report of the ICMR-EYE SEE Study Group
- Investigation of injury severity in urban expressway crashes: A case study from Beijing
- Clinical outcomes of incident peritoneal dialysis patients coming from kidney transplantation program: A case-control study
- Evaluation of the factors influencing the housing safety awareness of residents in Shanghai
- Morphometric study of the diaphragmatic surface of the liver in the human fetus
- Food insecurity and dietary diversity among lactating mothers in the urban municipality in the mountains of Nepal
- Genetic characterization of Bacillus anthracis strains circulating in Italy from 1972 to 2018
- Promising antifungal activity of new oxadiazole against Candida krusei
- An atlas of personality, emotion and behaviour
- Long-term effects of intracranial islet grafting on cognitive functioning in a rat metabolic model of sporadic Alzheimer's disease-like dementia
- Compartmentalized profiling of amniotic fluid cytokines in women with preterm labor
- Comparison of the myometrial transcriptome from singleton and twin pregnancies by RNA-Seq
- Adverse reproductive effects of S100A9 on bovine sperm and early embryonic development in vitro
- Functional dynamics of bacterial species in the mouse gut microbiome revealed by metagenomic and metatranscriptomic analyses
- Astrocyte senescence promotes glutamate toxicity in cortical neurons
- Primary ciliary dyskinesia and psychological well-being in adolescence
- Dipeptidyl peptidase-4 is increased in the abdominal aortic aneurysm vessel wall and is associated with aneurysm disease processes
- Primary care physician knowledge, attitudes, and diagnostic testing practices for norovirus and acute gastroenteritis
- Microfluidic-prepared DOTAP nanoparticles induce strong T-cell responses in mice
- Intraocular scattering as a predictor of driving performance in older adults with cataracts
- Reduced bone mineral density among HIV infected patients on anti-retroviral therapy in Blantyre, Malawi: Prevalence and associated factors
- Correction: Extraversion personality, perceived health and activity participation among community-dwelling aging adults in Hong Kong
- A rainwater control optimization design approach for airports based on a self-organizing feature map neural network model
- Influence of inflammasome NLRP3, and IL1B and IL2 gene polymorphisms in periodontitis susceptibility
- 18F-FDG-PET/MRI in the diagnostic work-up of limbic encephalitis
- The socioeconomic impact of orthopaedic trauma: A systematic review and meta-analysis
- Treatment patterns among patients with moderate-to-severe ulcerative colitis in the United States and Europe
- City to city learning and knowledge exchange for climate resilience in southern Africa
- Nuclear translocation of Atox1 potentiates activin A-induced cell migration and colony formation in colon cancer
- Activity-dependent switches between dynamic regimes of extracellular matrix expression
- Molecular sequencing and morphological identification reveal similar patterns in native bee communities across public and private grasslands of eastern North Dakota
- A mathematical model for assessing the effectiveness of controlling relapse in Plasmodium vivax malaria endemic in the Republic of Korea
- Cryo-focused ion beam preparation of perovskite based solar cells for atom probe tomography
- Physiological and transcriptomic responses of Lanzhou Lily (Lilium davidii, var. unicolor) to cold stress
- Unusual genome expansion and transcription suppression in ectomycorrhizal Tricholoma matsutake by insertions of transposable elements
- Estimating associations between antidepressant use and incident mild cognitive impairment in older adults with depression
- The use of telephone communication between nurse navigators and their patients
- CNP mediated selective toxicity on melanoma cells is accompanied by mitochondrial dysfunction
- HIV RNA measurement in dried blood spots of HIV-infected patients in Thailand using Abbott m2000 system
- Retraction: Oncogenic Fibulin-5 Promotes Nasopharyngeal Carcinoma Cell Metastasis through the FLJ10540/AKT Pathway and Correlates with Poor Prognosis
- Ultra-rapid cooling of ibex sperm by spheres method does not induce a vitreous extracellular state and increases the membrane damages
- Some animals are more equal than others: Validation of a new scale to measure how attitudes to animals depend on species and human purpose of use
- Observation and quantification of the morphological effect of trypan blue rupturing dead or dying cells
- The visual perception of emotion from masks
- Hexavalent chromium removal and total chromium biosorption from aqueous solution by Quercus crassipes acorn shell in a continuous up-flow fixed-bed column: Influencing parameters, kinetics, and mechanism
- The predictive value of anthropometric indices for cardiometabolic risk factors in Chinese children and adolescents: A national multicenter school-based study
- Lean back and wait for the alarm? Testing an automated alarm system for nosocomial outbreaks to provide support for infection control professionals
- Regional disparities in health care resources in traditional Chinese medicine county hospitals in China
- Analysis on hydraulic characteristics of improved sandy soil with soft rock
- Development and use of a scale to assess gender differences in appraisal of mistreatment during childbirth among Ethiopian midwifery students
- Factors for starting biosimilar TNF inhibitors in patients with rheumatic diseases in the real world
- Correction: Force field generalization and the internal representation of motor learning
- Prevalence and foetomaternal effects of iron deficiency anaemia among pregnant women in Lagos, Nigeria
- Socioeconomic risk factors for fatal opioid overdoses in the United States: Findings from the Mortality Disparities in American Communities Study (MDAC)
- Microbiome signatures in neonatal central line associated bloodstream infections
- Interventions for incarcerated adults with opioid use disorder in the United States: A systematic review with a focus on social determinants of health
- Opening gap width influences distal tibial rotation below the osteotomy site following open wedge high tibial osteotomy
- The impact of lowbush blueberry (Vaccinium angustifolium Ait.) and cranberry (Vaccinium macrocarpon Ait.) pollination on honey bee (Apis mellifera L.) colony health status
- Surveys of knowledge and awareness of antibiotic use and antimicrobial resistance in general population: A systematic review
- Managerial capacity among district health managers and its association with district performance: A comparative descriptive study of six districts in the Eastern Region of Ghana
- Knee joint distraction in regular care for treatment of knee osteoarthritis: A comparison with clinical trial data
- Reconstruction of a regulated two-cell metabolic model to study biohydrogen production in a diazotrophic cyanobacterium Anabaena variabilis ATCC 29413
- Cochlear dysfunction is associated with styrene exposure in humans
- Intra-individual variation of particles in exhaled air and of the contents of Surfactant protein A and albumin
- Revisits, readmissions, and outcomes for pediatric traumatic brain injury in California, 2005-2014
- Enhanced handover mechanism using mobility prediction in wireless networks
- Association between regular exercise and asthma control among adults: The population-based Northern Finnish Asthma Study
- Pharyngeal microbiome alterations during Neisseria gonorrhoeae infection
- Assessment of the clinical utility of four NGS panels in myeloid malignancies. Suggestions for NGS panel choice or design
- Assessment of time management practice and associated factors among primary hospitals employees in north Gondar, northwest Ethiopia
- Genetic diversity and population structure of feral rapeseed (Brassica napus L.) in Japan
- Are the current gRNA ranking prediction algorithms useful for genome editing in plants?
- Difference between physical therapist estimation and psychological patient-reported outcome measures in patients with low back pain
- Heterogeneity in the distribution of 159 drug-response related SNPs in world populations and their genetic relatedness
- Metabolic and lipidomic profiling of steatotic human livers during ex situ normothermic machine perfusion guides resuscitation strategies
- Investigating cumulative effects of pre-performance routine interventions in beach volleyball serving
- Dispensing of antibiotics without prescription and associated factors in drug retail outlets of Eritrea: A simulated client method
- MicroRNA expression and DNA methylation profiles do not distinguish between primary and recurrent well-differentiated liposarcoma
- Assessment of acyl-CoA cholesterol acyltransferase (ACAT-1) role in ovarian cancer progression—An in vitro study
- Cytoplasmic factories, virus assembly, and DNA replication kinetics collectively constrain the formation of poxvirus recombinants
- The wavelet power spectrum of perfusion weighted MRI correlates with tumor vascularity in biopsy-proven glioblastoma samples
- Agreement between cardiovascular disease risk assessment tools: An application to the United Arab Emirates population
- Constructing HLM to examine multi-level poverty-contributing factors of farmer households: Why and how?
- Patterns of symptoms possibly indicative of cancer and associated help-seeking behaviour in a large sample of United Kingdom residents—The USEFUL study
- An automated alarm system for food safety by using electronic invoices
- Neural effects of acute stress on appetite: A magnetoencephalography study
- Use of magnetic resonance imaging to determine laterality of meniscal size in healthy volunteers
- Co-prevalence of extracranial carotid aneurysms differs between European intracranial aneurysm cohorts
- Thermal biology of two tropical lizards from the Ecuadorian Andes and their vulnerability to climate change
- When weight is an encumbrance; avoidance of stairs by different demographic groups
- Non-mycosis fungoides cutaneous lymphomas in a referral center in Taiwan: A retrospective case series and literature review
- From the host's point of view: Effects of variation in burying beetle brood care and brood size on the interaction with parasitic mites
- Kernel-based Gaussian process for anomaly detection in sparse gamma-ray data
- Unmet care needs of children with ADHD
- Accelerometer-assessed outdoor physical activity is associated with meteorological conditions among older adults: Cross-sectional results from the OUTDOOR ACTIVE study
- Identification of Korean cancer survivors’ unmet needs and desired psychosocial assistance: A focus group study
- Evaluation of inactivated Bordetella pertussis as a delivery system for the immunization of mice with Pneumococcal Surface Antigen A
- The role of moral reasoning & personality in explaining lyrical preferences
- Would you like to participate in this trial? The practice of informed consent in intrapartum research in the last 30 years
- Correction: Mutation spectrums of TSC1 and TSC2 in Chinese women with lymphangioleiomyomatosis (LAM)
- Forward lunge before and after anterior cruciate ligament reconstruction: Faster movement but unchanged knee joint biomechanics
- Challenges associated with homologous directed repair using CRISPR-Cas9 and TALEN to edit the DMD genetic mutation in canine Duchenne muscular dystrophy
- Integrated targeted serum metabolomic profile and its association with gender, age, disease severity, and pattern identification in acne
- A prospective case-control study on miRNA circulating levels in subjects born small for gestational age (SGA) evaluated from childhood into young adulthood
- Polymer-fiber-coupled field-effect sensors for label-free deep brain recordings
- Global depth perception alters local timing sensitivity
- How to detect a polytrauma patient at risk of complications: A validation and database analysis of four published scales
- Module for SWC neuron morphology file validation and correction enabled for high throughput batch processing
- Reduced gray matter volume and cortical thickness associated with traffic-related air pollution in a longitudinally studied pediatric cohort
- Recombinant human soluble thrombomodulin is associated with attenuation of sepsis-induced renal impairment by inhibition of extracellular histone release
- Human and climatic drivers affect spatial fishing patterns in a multiple-use marine protected area: The Galapagos Marine Reserve
- Correction: Leisure-time physical activity and sports in the Brazilian population: A social disparity analysis
- Application of the mixture item response theory model to the Self-Administered Food Security Survey Module for Children
- Numerical simulation of atmospheric CO2 concentration and flux over the Korean Peninsula using WRF-VPRM model during Korus-AQ 2016 campaign
- Feline irradiated diet-induced demyelination; a model of the neuropathology of sub-acute combined degeneration?
- Improved multi-parametric prediction of tissue outcome in acute ischemic stroke patients using spatial features
- Genome-wide association and epistatic interactions of flowering time in soybean cultivar
- Correction: Association between workplace bullying and burnout, professional quality of life, and turnover intention among clinical nurses
- Correction: Estimation of membrane bending modulus of stiffness tuned human red blood cells from micropore filtration studies
- Correction: Limited indirect effects of an infant pneumococcal vaccination program in an aging population
- Correction: Targeting of the Plzf Gene in the Rat by Transcription Activator-Like Effector Nuclease Results in Caudal Regression Syndrome in Spontaneously Hypertensive Rats
- Fieldwork-based determination of design priorities for point-of-use drinking water quality sensors for use in resource-limited environments
- Young women’s reproductive health conversations: Roles of maternal figures and clinical practices
- Correction: Differential recordings of local field potential: A genuine tool to quantify functional connectivity
- Survival of medial versus lateral unicompartmental knee arthroplasty: A meta-analysis
- Novel MscL agonists that allow multiple antibiotics cytoplasmic access activate the channel through a common binding site
- Is it time to stop sweeping data cleaning under the carpet? A novel algorithm for outlier management in growth data
- Changes in oak (Quercus robur) photosynthesis after winter moth (Operophtera brumata) herbivory are not explained by changes in chemical or structural leaf traits
- Mutual interaction between motor cortex activation and pain in fibromyalgia: EEG-fNIRS study
- Evaluation of liposomal ciprofloxacin formulations in a murine model of anthrax
- Analysis of cholesterol in mouse brain by HPLC with UV detection
- Sugar, amino acid and inorganic ion profiling of the honeydew from different hemipteran species feeding on Abies alba and Picea abies
- Exploring prior diseases associated with incident late-onset Alzheimer’s disease dementia
- Hypertension prevalence in patients attending tertiary pain management services, a registry-based Australian cohort study
- SRL pathogenicity island contributes to the metabolism of D-aspartate via an aspartate racemase in Shigella flexneri YSH6000
- Correction: Comprehensive genome-wide analysis of the pear (Pyrus bretschneideri) laccase gene (PbLAC) family and functional identification of PbLAC1 involved in lignin biosynthesis
- Epilepsy in a melanocyte-lineage mTOR hyperactivation mouse model: A novel epilepsy model
- Water consumption and prevalence of irritable bowel syndrome among adults
- Mixed evidence for the relationship between periodontitis and Alzheimer’s disease: A bidirectional Mendelian randomization study
- Correction: Health conditions associated with overweight in climacteric women
- Correction: Determining Glomerular Filtration Rate in Homozygous Sickle Cell Disease: Utility of Serum Creatinine Based Estimating Equations
- Modelling the number of antenatal care visits in Bangladesh to determine the risk factors for reduced antenatal care attendance
- Correction: Cumulative viral load as a predictor of CD4+ T-cell response to antiretroviral therapy using Bayesian statistical models
- Dominant negative effects by inactive Spa47 mutants inhibit T3SS function and Shigella virulence
- ICOS-deficient and ICOS YF mutant mice fail to control Toxoplasma gondii infection of the brain
- Diel patterns in swimming behavior of a vertically migrating deepwater shark, the bluntnose sixgill (Hexanchus griseus)
- Life history of northern Gulf of Mexico Warsaw grouper Hyporthodus nigritus inferred from otolith radiocarbon analysis
- Physiology education for intensive care medicine residents: A 15-minute interactive peer-led flipped classroom session
- Strengthening capacity for natural sciences research: A qualitative assessment to identify good practices, capacity gaps and investment priorities in African research institutions
- Systematic scoping review of the concept of ‘genetic identity’ and its relevance for germline modification
- Height of overburden fracture based on key strata theory in longwall face
- Laboratory strains of Bacillus anthracis lose their ability to rapidly grow and sporulate compared to wildlife outbreak strains
- Improvement of classification performance of Parkinson’s disease using shape features for machine learning on dopamine transporter single photon emission computed tomography
- Comparative pharmacokinetics and pharmacodynamics of the advanced Retinol-Binding Protein 4 antagonist in dog and cynomolgus monkey
- Correction: A handy method to remove bacterial contamination from fungal cultures
- Correction: Effect of statin on life prognosis in Japanese patients undergoing hemodialysis
- Retraction: Outer Membrane Protein A (OmpA) of Shigella flexneri 2a Induces TLR2-Mediated Activation of B Cells: Involvement of Protein Tyrosine Kinase, ERK and NF-κB
- Retraction: Biofabrication of streptomycin-conjugated calcium phosphate nanoparticles using red ginseng extract and investigation of their antibacterial potential
- Receiver operating characteristic curve analysis of clinical signs for screening of convergence insufficiency in young adults
- Correction: Drivers of deforestation in the basin of the Usumacinta River: Inference on process from pattern analysis using generalised additive models
- Efficacy of fertilizing method for different potash sources in cotton (Gossypium hirsutum L.) nutrition under arid climatic conditions
- Podocyte autophagy is associated with foot process effacement and proteinuria in patients with minimal change nephrotic syndrome
- Effect of Lactobacillus acidophilus D2/CSL (CECT 4529) supplementation in drinking water on chicken crop and caeca microbiome
- Retraction: MiR-30a-5p Antisense Oligonucleotide Suppresses Glioma Cell Growth by Targeting SEPT7
- Correction: Dynamics of plasma micronutrient concentrations and their correlation with serum proteins and thyroid hormones in patients with paracoccidioidomycosis
- Impact of lower limb osteoarthritis on health-related quality of life: A cross-sectional study to estimate the expressed loss of utility in the Spanish population
- Correction: Prevalence of damaged and missing teeth among women in the southern plains of Nepal: Findings of a simplified assessment tool
- Correction: Tissue-Specific Expressed Antibody Variable Gene Repertoires
- Retraction: Immunoglobulin G Expression in Lung Cancer and Its Effects on Metastasis
- Correction: Causal knowledge promotes behavioral self-regulation: An example using climate change dynamics
- Retraction: Use of Granulocyte Colony-Stimulating Factor for the Treatment of Thin Endometrium in Experimental Rats
- Correction: Dynamic mechanical and nanofibrous topological combinatory cues designed for periodontal ligament engineering
- Correction: Evaluating the foundations that help avert antimicrobial resistance: Performance of essential water sanitation and hygiene functions in hospitals and requirements for action in Kenya
- From seed to flour: Sowing sustainability in the use of cantaloupe melon residue (Cucumis melo L. var. reticulatus)
- Core Scientific Dataset Model: A lightweight and portable model and file format for multi-dimensional scientific data
- Accounting for measurement error to assess the effect of air pollution on omic signals
- Leucine zipper transcription factor-like 1 binds adaptor protein complex-1 and 2 and participates in trafficking of transferrin receptor 1
- Barriers for tuberculosis case finding in Southwest Ethiopia: A qualitative study
- Genetic predisposition to celiac disease in Kazakhstan: Potential impact on the clinical practice in Central Asia
- A lower psoas muscle volume was associated with a higher rate of recurrence in male clear cell renal cell carcinoma
- Two angles of overqualification-the deviant behavior and creative performance: The role of career and survival job
- Cost-utility analysis of de-escalating biological disease-modifying anti-rheumatic drugs in patients with rheumatoid arthritis
- Efficient estimation of stereo thresholds: What slope should be assumed for the psychometric function?
- Learning efficient haptic shape exploration with a rigid tactile sensor array
- Effects of dietary supplementation with a microalga (Schizochytrium sp.) on the hemato-immunological, and intestinal histological parameters and gut microbiota of Nile tilapia in net cages
- Regional versus local wind speed and direction at a narrow beach with a high and steep foredune
- Fragmented QRS complex in patients with systemic lupus erythematosus at the time of diagnosis and its relationship with disease activity
- Severe thiamine deficiency in eastern Baltic cod (Gadus morhua)
- Transfer entropy as a variable selection methodology of cryptocurrencies in the framework of a high dimensional predictive model
- Psychometric validation of Czech version of the Sport Motivation Scale
- Correction: Multiple innate antibacterial immune defense elements are correlated in diverse ungulate species
- Recognition of personality disorder and anxiety disorder comorbidity in patients treated for depression in secondary psychiatric care
- Correction: Strategies for achieving high sequencing accuracy for low diversity samples and avoiding sample bleeding using illumina platform
- PLOS One
- Archiv čísel
- Aktuální číslo
- Informace o časopisu
Nejčtenější v tomto čísle- Severity of misophonia symptoms is associated with worse cognitive control when exposed to misophonia trigger sounds
- Chemical analysis of snus products from the United States and northern Europe
- Calcium dobesilate reduces VEGF signaling by interfering with heparan sulfate binding site and protects from vascular complications in diabetic mice
- Effect of Lactobacillus acidophilus D2/CSL (CECT 4529) supplementation in drinking water on chicken crop and caeca microbiome
Kurzy
Zvyšte si kvalifikaci online z pohodlí domova
Autoři: prof. MUDr. Vladimír Palička, CSc., Dr.h.c., doc. MUDr. Václav Vyskočil, Ph.D., MUDr. Petr Kasalický, CSc., MUDr. Jan Rosa, Ing. Pavel Havlík, Ing. Jan Adam, Hana Hejnová, DiS., Jana Křenková
Autoři: MUDr. Irena Krčmová, CSc.
Autoři: MDDr. Eleonóra Ivančová, PhD., MHA
Autoři: prof. MUDr. Eva Kubala Havrdová, DrSc.
Všechny kurzyPřihlášení#ADS_BOTTOM_SCRIPTS#Zapomenuté hesloZadejte e-mailovou adresu, se kterou jste vytvářel(a) účet, budou Vám na ni zaslány informace k nastavení nového hesla.
- Vzdělávání