Share to: share facebook share twitter share wa share telegram print page

Random sample consensus

Random sample consensus (RANSAC) is an iterative method to estimate parameters of a mathematical model from a set of observed data that contains outliers, when outliers are to be accorded no influence[clarify] on the values of the estimates. Therefore, it also can be interpreted as an outlier detection method.[1] It is a non-deterministic algorithm in the sense that it produces a reasonable result only with a certain probability, with this probability increasing as more iterations are allowed. The algorithm was first published by Fischler and Bolles at SRI International in 1981. They used RANSAC to solve the location determination problem (LDP), where the goal is to determine the points in the space that project onto an image into a set of landmarks with known locations.

RANSAC uses repeated random sub-sampling.[2] A basic assumption is that the data consists of "inliers", i.e., data whose distribution can be explained by some set of model parameters, though may be subject to noise, and "outliers", which are data that do not fit the model. The outliers can come, for example, from extreme values of the noise or from erroneous measurements or incorrect hypotheses about the interpretation of data. RANSAC also assumes that, given a (usually small) set of inliers, there exists a procedure that can estimate the parameters of a model optimally explaining or fitting this data.

Example

A simple example is fitting a line in two dimensions to a set of observations. Assuming that this set contains both inliers, i.e., points which approximately can be fitted to a line, and outliers, points which cannot be fitted to this line, a simple least squares method for line fitting will generally produce a line with a bad fit to the data including inliers and outliers. The reason is that it is optimally fitted to all points, including the outliers. RANSAC, on the other hand, attempts to exclude the outliers and find a linear model that only uses the inliers in its calculation. This is done by fitting linear models to several random samplings of the data and returning the model that has the best fit to a subset of the data. Since the inliers tend to be more linearly related than a random mixture of inliers and outliers, a random subset that consists entirely of inliers will have the best model fit. In practice, there is no guarantee that a subset of inliers will be randomly sampled, and the probability of the algorithm succeeding depends on the proportion of inliers in the data as well as the choice of several algorithm parameters.

Overview

The RANSAC algorithm is a learning technique to estimate parameters of a model by random sampling of observed data. Given a dataset whose data elements contain both inliers and outliers, RANSAC uses the voting scheme to find the optimal fitting result. Data elements in the dataset are used to vote for one or multiple models. The implementation of this voting scheme is based on two assumptions: that the noisy features will not vote consistently for any single model (few outliers) and there are enough features to agree on a good model (few missing data). The RANSAC algorithm is essentially composed of two steps that are iteratively repeated:

  1. A sample subset containing minimal number of data items is randomly selected from the input dataset. A fitting model with model parameters is computed using only the elements of this sample subset. The cardinality of the sample subset (e.g., the amount of data in this subset) is sufficient to determine the model parameters.
  2. The algorithm checks which elements of the entire dataset are consistent with the model instantiated by the estimated model parameters obtained from the first step. A data element will be considered as an outlier if it does not fit the model within some error threshold defining the maximum data deviation of inliers (data elements beyond this deviation are outliers).

The set of inliers obtained for the fitting model is called the consensus set. The RANSAC algorithm will iteratively repeat the above two steps until the obtained consensus set in certain iteration has enough inliers.

The input to the RANSAC algorithm is a set of observed data values, a model to fit to the observations, and some confidence parameters defining outliers. In more details than the aforementioned RANSAC algorithm overview, RANSAC achieves its goal by repeating the following steps:

  1. Select a random subset of the original data. Call this subset the hypothetical inliers.
  2. A model is fitted to the set of hypothetical inliers.
  3. All data are then tested against the fitted model. All the data points (of the original data) that fit the estimated model well, according to some model-specific loss function, are called the consensus set (i.e., the set of inliers for the model).
  4. The estimated model is reasonably good if sufficiently many data points have been classified as a part of the consensus set.
  5. The model may be improved by re-estimating it by using all the members of the consensus set. The fitting quality as a measure of how well the model fits to the consensus set will be used to sharpen the model fitting as iterations goes on (e.g., by setting this measure as the fitting quality criteria at the next iteration).

To converge to a sufficiently good model parameter set, this procedure is repeated a fixed number of times, each time producing either the rejection of a model because too few points are a part of the consensus set, or a refined model with a consensus set size larger than the previous consensus set.

RANSAC: inliers and outliers. The linear fitting to data points in this example is with 7 inliers (data points fitted well with the model under some criteria). It is not a good fitting, since there is a linear line where most data points are distributed near it (i.e., more inliers).

Pseudocode

The generic RANSAC algorithm works as the following pseudocode:

Given:
    data – A set of observations.
    model – A model to explain the observed data points.
    n – The minimum number of data points required to estimate the model parameters.
    k – The maximum number of iterations allowed in the algorithm.
    t – A threshold value to determine data points that are fit well by the model (inlier).
    d – The number of close data points (inliers) required to assert that the model fits well to the data.

Return:
    bestFit – The model parameters which may best fit the data (or null if no good model is found).


iterations = 0
bestFit = null
bestErr = something really large // This parameter is used to sharpen the model parameters to the best data fitting as iterations go on.

while iterations < k do
    maybeInliers := n randomly selected values from data
    maybeModel := model parameters fitted to maybeInliers
    confirmedInliers := empty set
    for every point in data do
        if point fits maybeModel with an error smaller than t then
             add point to confirmedInliers
        end if
    end for
    if the number of elements in confirmedInliers is > d then
        // This implies that we may have found a good model.
        // Now test how good it is.
        betterModel := model parameters fitted to all the points in confirmedInliers
        thisErr := a measure of how well betterModel fits these points
        if thisErr < bestErr then
            bestFit := betterModel
            bestErr := thisErr
        end if
    end if
    increment iterations
end while

return bestFit

Example code

A Python implementation mirroring the pseudocode. This also defines a LinearRegressor based on least squares, applies RANSAC to a 2D regression problem, and visualizes the outcome:

from copy import copy
import numpy as np
from numpy.random import default_rng
rng = default_rng()


class RANSAC:
    def __init__(self, n=10, k=100, t=0.05, d=10, model=None, loss=None, metric=None):
        self.n = n              # `n`: Minimum number of data points to estimate parameters
        self.k = k              # `k`: Maximum iterations allowed
        self.t = t              # `t`: Threshold value to determine if points are fit well
        self.d = d              # `d`: Number of close data points required to assert model fits well
        self.model = model      # `model`: class implementing `fit` and `predict`
        self.loss = loss        # `loss`: function of `y_true` and `y_pred` that returns a vector
        self.metric = metric    # `metric`: function of `y_true` and `y_pred` and returns a float
        self.best_fit = None
        self.best_error = np.inf

    def fit(self, X, y):
        for _ in range(self.k):
            ids = rng.permutation(X.shape[0])

            maybe_inliers = ids[: self.n]
            maybe_model = copy(self.model).fit(X[maybe_inliers], y[maybe_inliers])

            thresholded = (
                self.loss(y[ids][self.n :], maybe_model.predict(X[ids][self.n :]))
                < self.t
            )

            inlier_ids = ids[self.n :][np.flatnonzero(thresholded).flatten()]

            if inlier_ids.size > self.d:
                inlier_points = np.hstack([maybe_inliers, inlier_ids])
                better_model = copy(self.model).fit(X[inlier_points], y[inlier_points])

                this_error = self.metric(
                    y[inlier_points], better_model.predict(X[inlier_points])
                )

                if this_error < self.best_error:
                    self.best_error = this_error
                    self.best_fit = better_model

        return self

    def predict(self, X):
        return self.best_fit.predict(X)

def square_error_loss(y_true, y_pred):
    return (y_true - y_pred) ** 2


def mean_square_error(y_true, y_pred):
    return np.sum(square_error_loss(y_true, y_pred)) / y_true.shape[0]


class LinearRegressor:
    def __init__(self):
        self.params = None

    def fit(self, X: np.ndarray, y: np.ndarray):
        r, _ = X.shape
        X = np.hstack([np.ones((r, 1)), X])
        self.params = np.linalg.inv(X.T @ X) @ X.T @ y
        return self

    def predict(self, X: np.ndarray):
        r, _ = X.shape
        X = np.hstack([np.ones((r, 1)), X])
        return X @ self.params


if __name__ == "__main__":

    regressor = RANSAC(model=LinearRegressor(), loss=square_error_loss, metric=mean_square_error)

    X = np.array([-0.848,-0.800,-0.704,-0.632,-0.488,-0.472,-0.368,-0.336,-0.280,-0.200,-0.00800,-0.0840,0.0240,0.100,0.124,0.148,0.232,0.236,0.324,0.356,0.368,0.440,0.512,0.548,0.660,0.640,0.712,0.752,0.776,0.880,0.920,0.944,-0.108,-0.168,-0.720,-0.784,-0.224,-0.604,-0.740,-0.0440,0.388,-0.0200,0.752,0.416,-0.0800,-0.348,0.988,0.776,0.680,0.880,-0.816,-0.424,-0.932,0.272,-0.556,-0.568,-0.600,-0.716,-0.796,-0.880,-0.972,-0.916,0.816,0.892,0.956,0.980,0.988,0.992,0.00400]).reshape(-1,1)
    y = np.array([-0.917,-0.833,-0.801,-0.665,-0.605,-0.545,-0.509,-0.433,-0.397,-0.281,-0.205,-0.169,-0.0531,-0.0651,0.0349,0.0829,0.0589,0.175,0.179,0.191,0.259,0.287,0.359,0.395,0.483,0.539,0.543,0.603,0.667,0.679,0.751,0.803,-0.265,-0.341,0.111,-0.113,0.547,0.791,0.551,0.347,0.975,0.943,-0.249,-0.769,-0.625,-0.861,-0.749,-0.945,-0.493,0.163,-0.469,0.0669,0.891,0.623,-0.609,-0.677,-0.721,-0.745,-0.885,-0.897,-0.969,-0.949,0.707,0.783,0.859,0.979,0.811,0.891,-0.137]).reshape(-1,1)

    regressor.fit(X, y)

    import matplotlib.pyplot as plt
    plt.style.use("seaborn-darkgrid")
    fig, ax = plt.subplots(1, 1)
    ax.set_box_aspect(1)

    plt.scatter(X, y)

    line = np.linspace(-1, 1, num=100).reshape(-1, 1)
    plt.plot(line, regressor.predict(line), c="peru")
    plt.show()
A scatterplot showing a diagonal line from the bottom left to top right of the figure. A trend line fits closely along the diagonal, without being thrown off by outliers scattered elsewhere in the figure.
Result of running the RANSAC implementation. The orange line shows the least-squares parameters found by the iterative approach, which successfully ignores the outlier points.

Parameters

The threshold value to determine when a data point fits a model (t), and the number of inliers (data points fitted to the model within t) required to assert that the model fits well to data (d) are determined based on specific requirements of the application and the dataset, and possibly based on experimental evaluation. The number of iterations (k), however, can be roughly determined as a function of the desired probability of success (p) as shown below.

Let p be the desired probability that the RANSAC algorithm provides at least one useful result after running. In extreme (for simplifying the derivation), RANSAC returns a successful result if in some iteration it selects only inliers from the input data set when it chooses n points from the data set from which the model parameters are estimated. (In other words, all the selected n data points are inliers of the model estimated by these points). Let be the probability of choosing an inlier each time a single data point is selected, that is roughly,

= number of inliers in data / number of points in data

A common case is that is not well known beforehand because of an unknown number of inliers in data before running the RANSAC algorithm, but some rough value can be given. With a given rough value of and roughly assuming that the n points needed for estimating a model are selected independently (It is a rough assumption because each data point selection reduces the number of data point candidates to choose in the next selection in reality), is the probability that all n points are inliers and is the probability that at least one of the n points is an outlier, a case which implies that a bad model will be estimated from this point set. That probability to the power of k (the number of iterations in running the algorithm) is the probability that the algorithm never selects a set of n points which all are inliers, and this is the same as (the probability that the algorithm does not result in a successful model estimation) in extreme. Consequently,

which, after taking the logarithm of both sides, leads to

This result assumes that the n data points are selected independently, that is, a point which has been selected once is replaced and can be selected again in the same iteration. This is often not a reasonable approach and the derived value for k should be taken as an upper limit in the case that the points are selected without replacement. For example, in the case of finding a line which fits the data set illustrated in the above figure, the RANSAC algorithm typically chooses two points in each iteration and computes maybe_model as the line between the points and it is then critical that the two points are distinct.

To gain additional confidence, the standard deviation or multiples thereof can be added to k. The standard deviation of k is defined as

Advantages and disadvantages

An advantage of RANSAC is its ability to do robust estimation[3] of the model parameters, i.e., it can estimate the parameters with a high degree of accuracy even when a significant number of outliers are present in the data set. A disadvantage of RANSAC is that there is no upper bound on the time it takes to compute these parameters (except exhaustion). When the number of iterations computed is limited, the solution obtained may not be optimal, and it may not even be one that fits the data in a good way. In this way RANSAC offers a trade-off; by computing a greater number of iterations, the probability of a reasonable model being produced is increased. Moreover, RANSAC is not always able to find the optimal set even for moderately contaminated sets, and it usually performs badly when the number of inliers is less than 50%. Optimal RANSAC[4] was proposed to handle both these problems and is capable of finding the optimal set for heavily contaminated sets, even for an inlier ratio under 5%. Another disadvantage of RANSAC is that it requires the setting of problem-specific thresholds.

RANSAC can only estimate one model for a particular data set. As for any one-model approach when two (or more) model instances exist, RANSAC may fail to find either one. The Hough transform is one alternative robust estimation technique that may be useful when more than one model instance is present. Another approach for multi-model fitting is known as PEARL,[5] which combines model sampling from data points as in RANSAC with iterative re-estimation of inliers and the multi-model fitting being formulated as an optimization problem with a global energy function describing the quality of the overall solution.

Applications

The RANSAC algorithm is often used in computer vision, e.g., to simultaneously solve the correspondence problem and estimate the fundamental matrix related to a pair of stereo cameras; see also: Structure from motion, scale-invariant feature transform, image stitching, rigid motion segmentation.

Development and improvements

Since 1981 RANSAC has become a fundamental tool in the computer vision and image processing community. In 2006, for the 25th anniversary of the algorithm, a workshop was organized at the International Conference on Computer Vision and Pattern Recognition (CVPR) to summarize the most recent contributions and variations to the original algorithm, mostly meant to improve the speed of the algorithm, the robustness and accuracy of the estimated solution and to decrease the dependency from user defined constants.

RANSAC can be sensitive to the choice of the correct noise threshold that defines which data points fit a model instantiated with a certain set of parameters. If such threshold is too large, then all the hypotheses tend to be ranked equally (good). On the other hand, when the noise threshold is too small, the estimated parameters tend to be unstable ( i.e. by simply adding or removing a datum to the set of inliers, the estimate of the parameters may fluctuate). To partially compensate for this undesirable effect, Torr et al. proposed two modification of RANSAC called MSAC (M-estimator SAmple and Consensus) and MLESAC (Maximum Likelihood Estimation SAmple and Consensus).[6] The main idea is to evaluate the quality of the consensus set ( i.e. the data that fit a model and a certain set of parameters) calculating its likelihood (whereas in the original formulation by Fischler and Bolles the rank was the cardinality of such set). An extension to MLESAC which takes into account the prior probabilities associated to the input dataset is proposed by Tordoff.[7] The resulting algorithm is dubbed Guided-MLESAC. Along similar lines, Chum proposed to guide the sampling procedure if some a priori information regarding the input data is known, i.e. whether a datum is likely to be an inlier or an outlier. The proposed approach is called PROSAC, PROgressive SAmple Consensus.[8]

Chum et al. also proposed a randomized version of RANSAC called R-RANSAC [9] to reduce the computational burden to identify a good consensus set. The basic idea is to initially evaluate the goodness of the currently instantiated model using only a reduced set of points instead of the entire dataset. A sound strategy will tell with high confidence when it is the case to evaluate the fitting of the entire dataset or when the model can be readily discarded. It is reasonable to think that the impact of this approach is more relevant in cases where the percentage of inliers is large. The type of strategy proposed by Chum et al. is called preemption scheme. Nistér proposed a paradigm called Preemptive RANSAC[10] that allows real time robust estimation of the structure of a scene and of the motion of the camera. The core idea of the approach consists in generating a fixed number of hypotheses so that the comparison happens with respect to the quality of the generated hypothesis rather than against some absolute quality metric.

Other researchers tried to cope with difficult situations where the noise scale is not known and/or multiple model instances are present. The first problem has been tackled in the work by Wang and Suter.[11] Toldo et al. represent each datum with the characteristic function of the set of random models that fit the point. Then multiple models are revealed as clusters which group the points supporting the same model. The clustering algorithm, called J-linkage, does not require prior specification of the number of models, nor does it necessitate manual parameters tuning.[12]

RANSAC has also been tailored for recursive state estimation applications, where the input measurements are corrupted by outliers and Kalman filter approaches, which rely on a Gaussian distribution of the measurement error, are doomed to fail. Such an approach is dubbed KALMANSAC.[13]

See also

Notes

  1. ^ Data Fitting and Uncertainty, T. Strutz, Springer Vieweg (2nd edition, 2016).
  2. ^ Cantzler, H. "Random Sample Consensus (RANSAC)". Institute for Perception, Action and Behaviour, Division of Informatics, University of Edinburgh. CiteSeerX 10.1.1.106.3035. Archived from the original on 2023-02-04.
  3. ^ Robust Statistics, Peter. J. Huber, Wiley, 1981 (republished in paperback, 2004), page 1.
  4. ^ Anders Hast, Johan Nysjö, Andrea Marchetti (2013). "Optimal RANSAC – Towards a Repeatable Algorithm for Finding the Optimal Set". Journal of WSCG 21 (1): 21–30.
  5. ^ Hossam Isack, Yuri Boykov (2012). "Energy-based Geometric Multi-Model Fitting". International Journal of Computer Vision 97 (2: 1): 23–147. doi:10.1007/s11263-011-0474-7.
  6. ^ P.H.S. Torr and A. Zisserman, MLESAC: A new robust estimator with application to estimating image geometry[dead link], Journal of Computer Vision and Image Understanding 78 (2000), no. 1, 138–156.
  7. ^ B. J. Tordoff and D. W. Murray, Guided-MLESAC: Faster image transform estimation by using matching priors, IEEE Transactions on Pattern Analysis and Machine Intelligence 27 (2005), no. 10, 1523–1535.
  8. ^ Matching with PROSAC – progressive sample consensus, Proceedings of Conference on Computer Vision and Pattern Recognition (San Diego), vol. 1, June 2005, pp. 220–226
  9. ^ O. Chum and J. Matas, Randomized RANSAC with Td,d test, 13th British Machine Vision Conference, September 2002. http://www.bmva.org/bmvc/2002/papers/50/
  10. ^ D. Nistér, Preemptive RANSAC for live structure and motion estimation, IEEE International Conference on Computer Vision (Nice, France), October 2003, pp. 199–206.
  11. ^ H. Wang and D. Suter, Robust adaptive-scale parametric model estimation for computer vision., IEEE Transactions on Pattern Analysis and Machine Intelligence 26 (2004), no. 11, 1459–1474
  12. ^ R. Toldo and A. Fusiello, Robust multiple structures estimation with J-linkage, European Conference on Computer Vision (Marseille, France), October 2008, pp. 537–547.
  13. ^ A. Vedaldi, H. Jin, P. Favaro, and S. Soatto, KALMANSAC: Robust filtering by consensus, Proceedings of the International Conference on Computer Vision (ICCV), vol. 1, 2005, pp. 633–640
  14. ^ Brahmachari, Aveek S.; Sarkar, Sudeep (March 2013). "Hop-Diffusion Monte Carlo for Epipolar Geometry Estimation between Very Wide-Baseline Images". IEEE Transactions on Pattern Analysis and Machine Intelligence. 35 (3): 755–762. doi:10.1109/TPAMI.2012.227. PMID 26353140. S2CID 2524656.
  15. ^ W. Ruoyan and W. Junfeng, "FSASAC: Random Sample Consensus Based on Data Filter and Simulated Annealing," in IEEE Access, vol. 9, pp. 164935-164948, 2021, doi: 10.1109/ACCESS.2021.3135416.

References

Read other articles:

City in Fars province, Iran For the administrative divisions, see Banaruiyeh District and Banaruiyeh Rural District. City in Fars, IranBanaruiyeh Persian: بنارويهCityBanaruiyehCoordinates: 28°05′11″N 54°02′53″E / 28.08639°N 54.04806°E / 28.08639; 54.04806[1]Country IranProvinceFarsCountyLarestanDistrictBanaruiyehPopulation (2016)[2] • Total9,077Time zoneUTC+3:30 (IRST) Banaruiyeh (Persian: بنارويه, also Roman…

PT Bina Karya (Persero)JenisBUMN / Perseroan TerbatasIndustriPropertiDidirikan15 Maret 1972KantorpusatJakarta, IndonesiaWilayah operasiIndonesiaTokohkunciNi Made Sumiarsih (Komisaris Utama)Irman Indrayadi (Direktur Utama)Dodi Ardianto (Direktur)JasaPengembangan propertiPemilikPemerintah IndonesiaSitus webbinakarya.co.id PT Bina Karya (Persero) adalah sebuah badan usaha milik negara Indonesia yang terutama melakukan pengembangan properti di Ibu Kota Nusantara (IKN). Oleh karena itu, berbeda denga…

Government agency Transportkorps SpeerAgency overviewFormed1944Dissolved1945TypeParamilitaryJurisdictionGerman-occupied EuropeHeadquartersKreuzbruch, near OranienburgEmployees70,000Oberkommando der Wehrmacht responsibleGeneralfeldmarschall Wilhelm KeitelAgency executiveGeneralmajor Wilhelm Nagel, Korpskommandant Transportkorps Speer was created in 1944 from Legion Speer and the units of the National Socialist Motor Corps that was serving the Organisation Todt. Shortly after its creation it becam…

Moulin Rouge, Paris Cancan, oleh Jules Chéret Moulin Rouge pada 1900 Moulin Rouge[1] (/ˌmuːlæ̃ ˈruːʒ/, bahasa Prancis: [mulɛ̃ ʁuʒ]; terj. har. 'Kincir Merah') merupakan sebuah bangunan pertunjukan kabaret di Paris, Prancis. Bangunan aslinya terbakar pada 1915, didirikan bersama pada 1889 oleh Charles Zidler dan Joseph Oller, juga pemilik Paris Olympia. Dekat dengan Montmartre di distrik Pigalle, Boulevard de Clichy, arondisemen ke-18, ditandai dengan kincir ang…

Supreme Court of the United States38°53′26″N 77°00′16″W / 38.89056°N 77.00444°W / 38.89056; -77.00444EstablishedMarch 4, 1789; 235 years ago (1789-03-04)LocationWashington, D.C.Coordinates38°53′26″N 77°00′16″W / 38.89056°N 77.00444°W / 38.89056; -77.00444Composition methodPresidential nomination with Senate confirmationAuthorized byConstitution of the United States, Art. III, § 1Judge term lengthlife …

UK Parliamentary by-election 1921 Bewdley by-election ← 1918 19 April 1921 1922 →   Candidate Baldwin Mills Party Unionist Independent Labour Popular vote 14,537 1,680 Percentage 89.6% 10.4% MP before election Baldwin Unionist Subsequent MP Baldwin Unionist The 1921 Bewdley by-election was held on 19 April 1921. The by-election was held due to the incumbent Coalition Conservative MP, Stanley Baldwin, being appointed President of the Board of Trade. It was retained…

Turkish footballer Alihan Kubalas Personal informationDate of birth (1991-10-26) 26 October 1991 (age 32)Place of birth Şişli, TurkeyHeight 1.85 m (6 ft 1 in)Position(s) MidfielderTeam informationCurrent team KocaelisporNumber 2Youth career2004–2007 Maltepespor2007–2009 Fenerbahçe2009–2010 BulvarsporSenior career*Years Team Apps (Gls)2010–2012 Bağcılar 60 (6)2012–2013 Sivasspor 0 (0)2012–2013 → Tokatspor (loan) 25 (4)2013–2014 Altay 26 (4)2015 Karagümrü…

Zapatero beralih ke halaman ini. Untuk kegunaan lain, lihat Zapatero (disambiguasi). Nama ini menggunakan cara penamaan Spanyol: nama keluarga pertama atau paternalnya adalah Rodríguez dan nama keluarga kedua atau maternalnya adalah Zapatero. Excelentísimo SeñorJosé Luis Rodríguez ZapateroOIC Perdana Menteri SpanyolMasa jabatan17 April 2004 – 21 Desember 2011Penguasa monarkiJuan Carlos IWakil Perdana Menteri pertamaMaría Teresa Fernández de la VegaAlfredo Pérez RubalcabaE…

Jens Christian SkouSkou in 2008Born(1918-10-08)8 October 1918Lemvig, DenmarkDied28 May 2018(2018-05-28) (aged 99)Risskov, Aarhus, DenmarkNationalityDanishAlma materUniversity of CopenhagenKnown forNa+,K+-ATPaseAwardsNobel Prize in Chemistry (1997)Fernström Prize (1985)Scientific careerFieldsPhysiology, Biophysics, BiochemistryInstitutionsAarhus University Jens Christian Skou (Danish pronunciation: [ˈjens ˈkʰʁestjæn ˈskʌwˀ]; 8 October 1918 – 28 May 2018) was a Da…

Overview of the impacts of the climate change in Greece Greece's Köppen Climate Types The climate in Greece is predominantly Mediterranean. However, due to the country's geography, Greece has a wide range of micro-climates and local variations. The Greek mainland is extremely mountainous, making Greece one of the most mountainous countries in Europe.[1][2] To the west of the Pindus mountain range, the climate is generally wetter and has some maritime features. The east of the Pi…

Office building in Manhattan, New York Madison Belmont BuildingGeneral informationTypeOfficesArchitectural styleNeoclassicalLocation181–183 Madison Avenue, New York City, USCoordinates40°44′51″N 73°58′58″W / 40.74750°N 73.98278°W / 40.74750; -73.98278Construction started1924Completed1925HeightRoof228 feet (69 m)Technical detailsFloor count18Floor area233,484 sq ft (21,691.4 m2)Design and constructionArchitect(s)Warren & WetmoreReferen…

Canadian astronaut and politician (born 1949) The HonourableMarc GarneauPC CC CDGarneau in 2018Minister of Foreign AffairsIn officeJanuary 12, 2021 – October 26, 2021Prime MinisterJustin TrudeauPreceded byFrançois-Philippe ChampagneSucceeded byMélanie JolyMinister of TransportIn officeNovember 4, 2015 – January 12, 2021Prime MinisterJustin TrudeauPreceded byLisa RaittSucceeded byOmar AlghabraMember of Parliamentfor Notre-Dame-de-Grâce—Westmount(Westmount—Vill…

Municipal unit in Elbasan, AlbaniaGjergjanMunicipal unitGjergjanCoordinates: 41°3′N 20°2′E / 41.050°N 20.033°E / 41.050; 20.033Country AlbaniaCountyElbasanMunicipalityElbasanPopulation (2011) • Municipal unit5,126Time zoneUTC+1 (CET) • Summer (DST)UTC+2 (CEST) Gjergjan is a village and a former municipality in the Elbasan County, central Albania. At the 2015 local government reform it became a subdivision of the municipality Elbas…

Administrative division of the Ottoman Empire from 1827 to 1864 For other uses, see Ankara (disambiguation). Eyālet-i ĀnqarâEyalet of the Ottoman Empire1827–1864The Ankara Eyalet in 1861Capitalİnitially Yozgat, then Ankara[1]Area • Coordinates39°40′06″N 33°29′09″E / 39.6684°N 33.4858°E / 39.6684; 33.4858 History • Established 1827• Disestablished 1864 Preceded by Succeeded by Anatolia Eyalet Ankara Vilayet Today par…

1983 film by Jandhyala Moodu MulluPosterDirected byJandhyalaScreenplay byJandhyalaBased onMundhanai Mudichuby K. BhagyarajProduced byP. Sasibhusan[1]StarringChandramohanRadhikaCinematographyS. Gopal ReddyEdited byGautam RajuMusic byRajan–NagendraProductioncompaniesAVM ProductionsSri Saradhi StudiosRelease date 9 September 1983 (1983-09-09) CountryIndiaLanguageTelugu Moodu Mullu (transl. Three knots) is a 1983 Indian Telugu-language romantic comedy film written and …

This article needs additional citations for verification. Please help improve this article by adding citations to reliable sources. Unsourced material may be challenged and removed.Find sources: Frankelda's Book of Spooks – news · newspapers · books · scholar · JSTOR (February 2022) (Learn how and when to remove this message) Mexican TV series or program Frankelda's Book of SpooksSpanishLos Sustos Ocultos de FrankeldaEnglishFrankelda's Book of Spooks Genr…

Campagnes de l'État indépendant du Congo contre les Arabo-Swahilis Le Kivu Informations générales Date 1892 - 1894 Lieu Kivu, province Orientale, Kasai, Katanga et Maniema en actuelle République démocratique du Congo Issue Victoire de l'État indépendant du Congo Belligérants Force publique de l'État indépendant du Congo, Société anti-esclavagiste belge Sultanats arabo-swahilis établis à Nyangwe, Kasongo, Riba Riba, Kabambare et Ujiji Commandants Francis Dhanis Tippo Tip, Sefu, Rum…

此条目序言章节没有充分总结全文内容要点。 (2019年3月21日)请考虑扩充序言,清晰概述条目所有重點。请在条目的讨论页讨论此问题。 哈萨克斯坦總統哈薩克總統旗現任Қасым-Жомарт Кемелұлы Тоқаев卡瑟姆若马尔特·托卡耶夫自2019年3月20日在任任期7年首任努尔苏丹·纳扎尔巴耶夫设立1990年4月24日(哈薩克蘇維埃社會主義共和國總統) 哈萨克斯坦 哈萨克斯坦政府與…

Artikel ini sebatang kara, artinya tidak ada artikel lain yang memiliki pranala balik ke halaman ini.Bantulah menambah pranala ke artikel ini dari artikel yang berhubungan atau coba peralatan pencari pranala. Aljabar relasional adalah bagian dari ilmu komputer, cabang dari logika predikat tingkat pertama dan aljabar himpunan, yang menangani suatu set relasi hingga yang memiliki sifat ketertutupan dengan operator-operator tertentu. Operator ini bertindak dengan satu atau lebih relasi untuk mengha…

 本表是動態列表,或許永遠不會完結。歡迎您參考可靠來源來查漏補缺。 潛伏於中華民國國軍中的中共間諜列表收錄根據公開資料來源,曾潛伏於中華民國國軍、被中國共產黨聲稱或承認,或者遭中華民國政府調查審判,為中華人民共和國和中國人民解放軍進行間諜行為的人物。以下列表以現今可查知時間為準,正確的間諜活動或洩漏機密時間可能早於或晚於以下所歸類…

Kembali kehalaman sebelumnya