Mutator method

In computer science, a mutator method is a method used to control changes to a variable. They are also widely known as setter methods. Often a setter is accompanied by a getter, which returns the value of the private member variable. They are also known collectively as accessors.

The mutator method is most often used in object-oriented programming, in keeping with the principle of encapsulation. According to this principle, member variables of a class are made private to hide and protect them from other code, and can only be modified by a public member function (the mutator method), which takes the desired new value as a parameter, optionally validates it, and modifies the private member variable. Mutator methods can be compared to assignment operator overloading but they typically appear at different levels of the object hierarchy.

Mutator methods may also be used in non-object-oriented environments. In this case, a reference to the variable to be modified is passed to the mutator, along with the new value. In this scenario, the compiler cannot restrict code from bypassing the mutator method and changing the variable directly. The responsibility falls to the developers to ensure the variable is only modified through the mutator method and not modified directly.

In programming languages that support them, properties offer a convenient alternative without giving up the utility of encapsulation.

In the examples below, a fully implemented mutator method can also validate the input data or take further action such as triggering an event.

Implications

The alternative to defining mutator and accessor methods, or property blocks, is to give the instance variable some visibility other than private and access it directly from outside the objects. Much finer control of access rights can be defined using mutators and accessors. For example, a parameter may be made read-only simply by defining an accessor but not a mutator. The visibility of the two methods may be different; it is often useful for the accessor to be public while the mutator remains protected, package-private or internal.

The block where the mutator is defined provides an opportunity for validation or preprocessing of incoming data. If all external access is guaranteed to come through the mutator, then these steps cannot be bypassed. For example, if a date is represented by separate private year, month and day variables, then incoming dates can be split by the setDate mutator while for consistency the same private instance variables are accessed by setYear and setMonth. In all cases month values outside of 1 - 12 can be rejected by the same code.

Accessors conversely allow for synthesis of useful data representations from internal variables while keeping their structure encapsulated and hidden from outside modules. A monetary getAmount accessor may build a string from a numeric variable with the number of decimal places defined by a hidden currency parameter.

Modern programming languages often offer the ability to generate the boilerplate for mutators and accessors in a single line—as for example C#'s public string Name { get; set; } and Ruby's attr_accessor :name. In these cases, no code blocks are created for validation, preprocessing or synthesis. These simplified accessors still retain the advantage of encapsulation over simple public instance variables, but it is common that, as system designs progress, the software is maintained and requirements change, the demands on the data become more sophisticated. Many automatic mutators and accessors eventually get replaced by separate blocks of code. The benefit of automatically creating them in the early days of the implementation is that the public interface of the class remains identical whether or not greater sophistication is added, requiring no extensive refactoring if it is.[1]

Manipulation of parameters that have mutators and accessors from inside the class where they are defined often requires some additional thought. In the early days of an implementation, when there is little or no additional code in these blocks, it makes no difference if the private instance variable is accessed directly or not. As validation, cross-validation, data integrity checks, preprocessing or other sophistication is added, subtle bugs may appear where some internal access makes use of the newer code while in other places it is bypassed.

Accessor functions can be less efficient than directly fetching or storing data fields due to the extra steps involved,[2] however such functions are often inlined which eliminates the overhead of a function call.

Examples

Assembly

student                   struct
    age         dd        ?
student                   ends
                     .code
student_get_age       proc      object:DWORD
                      mov       ebx, object
                      mov       eax, student.age[ebx]
                      ret
student_get_age       endp

student_set_age       proc      object:DWORD, age:DWORD
                      mov       ebx, object
                      mov       eax, age
                      mov       student.age[ebx], eax
                      ret
student_set_age       endp

C

In file student.h:

#ifndef _STUDENT_H
#define _STUDENT_H

struct student; /* opaque structure */
typedef struct student student;

student *student_new(int age, char *name);
void student_delete(student *s);

void student_set_age(student *s, int age);
int student_get_age(student *s);
char *student_get_name(student *s);

#endif

In file student.c:

#include <stdlib.h>
#include <string.h>
#include "student.h"

struct student {
  int age;
  char *name;
};

student *student_new(int age, char *name) {
  student *s = malloc(sizeof(student));
  s->name = strdup(name);
  s->age = age;
  return s;
}

void student_delete(student *s) {
  free(s->name);
  free(s);
}

void student_set_age(student *s, int age) {
  s->age = age;
}

int student_get_age(student *s) {
  return s->age;
}

char *student_get_name(student *s) {
  return s->name;
}

In file main.c:

#include <stdio.h>
#include "student.h"

int main(void) {
  student *s = student_new(19, "Maurice");
  char *name = student_get_name(s);
  int old_age = student_get_age(s);
  printf("%s's old age = %i\n", name, old_age);
  student_set_age(s, 21);
  int new_age = student_get_age(s);
  printf("%s's new age = %i\n", name, new_age);
  student_delete(s);
  return 0;
}

In file Makefile:

all: out.txt; cat $<
out.txt: main; ./$< > $@
main: main.o student.o
main.o student.o: student.h
clean: ;$(RM) *.o out.txt main

C++

In file Student.h:

#ifndef STUDENT_H
#define STUDENT_H

#include <string>

class Student {
public:
    Student(const std::string& name);

    const std::string& name() const;
    void name(const std::string& name);

private:
    std::string name_;
};

#endif

In file Student.cpp:

#include "Student.h"

Student::Student(const std::string& name) : name_(name) {
}

const std::string& Student::name() const {
    return name_;
}

void Student::name(const std::string& name) {
    name_ = name;
}

C#

This example illustrates the C# idea of properties, which are a special type of class member. Unlike Java, no explicit methods are defined; a public 'property' contains the logic to handle the actions. Note use of the built-in (undeclared) variable value.

public class Student
{
    private string name;

    /// <summary>
    /// Gets or sets student's name
    /// </summary>
    public string Name
    {
        get { return name; }
        set { name = value; }
    }
}

In later C# versions (.NET Framework 3.5 and above), this example may be abbreviated as follows, without declaring the private variable name.

public class Student
{
    public string Name { get; set; }
}

Using the abbreviated syntax means that the underlying variable is no longer available from inside the class. As a result, the set portion of the property must be present for assignment. Access can be restricted with a set-specific access modifier.

public class Student
{
    public string Name { get; private set; }
}

Common Lisp

In Common Lisp Object System, slot specifications within class definitions may specify any of the :reader, :writer and :accessor options (even multiple times) to define reader methods, setter methods and accessor methods (a reader method and the respective setf method).[3] Slots are always directly accessible through their names with the use of with-slots and slot-value, and the slot accessor options define specialized methods that use slot-value.[4]

CLOS itself has no notion of properties, although the MetaObject Protocol extension specifies means to access a slot's reader and writer function names, including the ones generated with the :accessor option.[5]

The following example shows a definition of a student class using these slot options and direct slot access:

(defclass student ()
  ((name      :initarg :name      :initform "" :accessor student-name) ; student-name is setf'able
   (birthdate :initarg :birthdate :initform 0  :reader student-birthdate)
   (number    :initarg :number    :initform 0  :reader student-number :writer set-student-number)))

;; Example of a calculated property getter (this is simply a method)
(defmethod student-age ((self student))
  (- (get-universal-time) (student-birthdate self)))

;; Example of direct slot access within a calculated property setter
(defmethod (setf student-age) (new-age (self student))
  (with-slots (birthdate) self
    (setf birthdate (- (get-universal-time) new-age))
    new-age))

;; The slot accessing options generate methods, thus allowing further method definitions
(defmethod set-student-number :before (new-number (self student))
  ;; You could also check if a student with the new-number already exists.
  (check-type new-number (integer 1 *)))

D

D supports a getter and setter function syntax. In version 2 of the language getter and setter class/struct methods should have the @property attribute.[6][7]

class Student {
    private char[] name_;
    // Getter
    @property char[] name() {
        return this.name_;
    }
    // Setter
    @property char[] name(char[] name_in) {
        return this.name_ = name_in;
    }
}

A Student instance can be used like this:

auto student = new Student;
student.name = "David";           // same effect as student.name("David")
auto student_name = student.name; // same effect as student.name()

Delphi

This is a simple class in Delphi language which illustrates the concept of public property for accessing a private field.

interface

type
  TStudent = class
  strict private
    FName: string;
    procedure SetName(const Value: string);
  public
    /// <summary>
    /// Get or set the name of the student.
    /// </summary>
    property Name: string read FName write SetName;
  end;

// ...

implementation

procedure TStudent.SetName(const Value: string);
begin
  FName := Value;
end;

end.

Java

In this example of a simple class representing a student with only the name stored, one can see the variable name is private, i.e. only visible from the Student class, and the "setter" and "getter" are public, namely the "getName()" and "setName(name)" methods.

public class Student {
    private String name;

    public String getName() {
        return name;
    }
    
    public void setName(String newName) {
        name = newName;
    }
}

JavaScript

In this example constructor-function Student is used to create objects representing a student with only the name stored.

function Student(name) {
  var _name = name;

  this.getName = function() {
    return _name;
  };

  this.setName = function(value) {
    _name = value;
  };
}

Or (using a deprecated way to define accessors in Web browsers):[8]

function Student(name){
    var _name = name;
   
    this.__defineGetter__('name', function() {
        return _name;
    });
   
    this.__defineSetter__('name', function(value) {
        _name = value;
    });
}

Or (using prototypes for inheritance and ES6 accessor syntax):

function Student(name){
    this._name = name;
}

Student.prototype = {
    get name() {
        return this._name;
    },
    set name(value) {
        this._name = value;
    }
};

Or (without using prototypes):

var Student = {
    get name() {
        return this._name;
    },
    set name(value) {
        this._name = value;
    }
};

Or (using defineProperty):

function Student(name){
    this._name = name;
}
Object.defineProperty(Student.prototype, 'name', {
    get: function() {
        return this._name;
    },
    set: function(value) {
        this._name = value;
    }
});

ActionScript 3.0

package
{
    public class Student
    {
        private var _name : String;
		
        public function get name() : String
        { 
            return _name;
        }

        public function set name(value : String) : void
        {
            _name = value;
        }
    }
}

Objective-C

Using traditional Objective-C 1.0 syntax, with manual reference counting as the one working on GNUstep on Ubuntu 12.04:

@interface Student : NSObject
{
    NSString *_name;
}

- (NSString *)name;
- (void)setName:(NSString *)name;

@end

@implementation Student

- (NSString *)name
{
    return _name;
}

- (void)setName:(NSString *)name
{
    [_name release];
    _name = [name retain];
}

@end

Using newer Objective-C 2.0 syntax as used in Mac OS X 10.6, iOS 4 and Xcode 3.2, generating the same code as described above:

@interface Student : NSObject

@property (nonatomic, retain) NSString *name;

@end

@implementation Student

@synthesize name = _name;

@end

And starting with OS X 10.8 and iOS 6, while using Xcode 4.4 and up, syntax can be even simplified:

@interface Student : NSObject

@property (nonatomic, strong) NSString *name;

@end

@implementation Student

//Nothing goes here and it's OK.

@end

Perl

package Student;

sub new {
    bless {}, shift;
}

sub set_name {
    my $self = shift;
    $self->{name} = $_[0];
}

sub get_name {
    my $self = shift;
    return $self->{name};
}

1;

Or, using Class::Accessor

package Student;
use base qw(Class::Accessor);
__PACKAGE__->follow_best_practice;

Student->mk_accessors(qw(name));

1;

Or, using the Moose Object System:

package Student;
use Moose;

# Moose uses the attribute name as the setter and getter, the reader and writer properties
# allow us to override that and provide our own names, in this case get_name and set_name
has 'name' => (is => 'rw', isa => 'Str', reader => 'get_name', writer => 'set_name');

1;

PHP

PHP defines the "magic methods" __getand__set for properties of objects.[9]

In this example of a simple class representing a student with only the name stored, one can see the variable name is private, i.e. only visible from the Student class, and the "setter" and "getter" is public, namely the getName() and setName('name') methods.

class Student
{
    private string $name;

    /**
     * @return string The name.
     */
    public function getName(): string
    {
        return $this->name;
    }

    /**
     * @param string $newName The name to set.
     */
    public function setName(string $newName): void
    {
        $this->name = $newName;
    }
}

Python

This example uses a Python class with one variable, a getter, and a setter.

class Student:
    # Initializer
    def __init__(self, name: str) -> None:
        # An instance variable to hold the student's name
        self._name = name

    # Getter method
    @property
    def name(self):
        return self._name

    # Setter method
    @name.setter
    def name(self, new_name):
        self._name = new_name
>>> bob = Student("Bob")
>>> bob.name 
Bob
>>> bob.name = "Alice"
>>> bob.name 
Alice
>>> bob._name = "Charlie" # bypass the setter
>>> bob._name # bypass the getter
Charlie

Racket

In Racket, the object system is a way to organize code that comes in addition to modules and units. As in the rest of the language, the object system has first-class values and lexical scope is used to control access to objects and methods.

#lang racket
(define student%
  (class object%
    (init-field name)
    (define/public (get-name) name)
    (define/public (set-name! new-name) (set! name new-name))
    (super-new)))

(define s (new student% [name "Alice"]))
(send s get-name)                       ; => "Alice"
(send s set-name! "Bob")
(send s get-name)                       ; => "Bob"

Struct definitions are an alternative way to define new types of values, with mutators being present when explicitly required:

#lang racket
(struct student (name) #:mutable)
(define s (student "Alice"))
(set-student-name! s "Bob")
(student-name s)                        ; => "Bob"

Ruby

In Ruby, individual accessor and mutator methods may be defined, or the metaprogramming constructs attr_reader or attr_accessor may be used both to declare a private variable in a class and to provide either read-only or read-write public access to it respectively.

Defining individual accessor and mutator methods creates space for pre-processing or validation of the data

class Student
  def name
    @name
  end

  def name=(value)
    @name=value
  end
end

Read-only simple public access to implied @name variable

class Student
  attr_reader :name
end

Read-write simple public access to implied @name variable

class Student
  attr_accessor :name
end

Rust

struct Student {
    name: String,
}

impl Student {
    fn name(&self) -> &String {
        &self.name
    }

    fn name_mut(&mut self) -> &mut String {
        &mut self.name
    }
}

Smalltalk

  age: aNumber
     " Set the receiver age to be aNumber if is greater than 0 and less than 150 "
    (aNumber between: 0 and: 150)
       ifTrue: [ age := aNumber ]

Swift

class Student {
    private var _name: String = ""

    var name: String {
        get {
            return self._name
        }
        set {
            self._name = newValue
        }
    }
}

Visual Basic .NET

This example illustrates the VB.NET idea of properties, which are used in classes. Similar to C#, there is an explicit use of the Get and Set methods.

Public Class Student

    Private _name As String

    Public Property Name()
        Get
            Return _name
        End Get
        Set(ByVal value)
            _name = value
        End Set
    End Property

End Class

In VB.NET 2010, Auto Implemented properties can be utilized to create a property without having to use the Get and Set syntax. Note that a hidden variable is created by the compiler, called _name, to correspond with the Property name. Using another variable within the class named _name would result in an error. Privileged access to the underlying variable is available from within the class.

Public Class Student
    Public Property name As String
End Class

See also

References

  1. ^ Stephen Fuqua (2009). "Automatic Properties in C# 3.0". Archived from the original on 2011-05-13. Retrieved 2009-10-19.
  2. ^ Tim Lee (1998-07-13). "Run Time Efficiency of Accessor Functions".
  3. ^ "CLHS: Macro DEFCLASS". Retrieved 2011-03-29.
  4. ^ "CLHS: 7.5.2 Accessing Slots". Retrieved 2011-03-29.
  5. ^ "MOP: Slot Definitions". Retrieved 2011-03-29.
  6. ^ "Functions - D Programming Language". Retrieved 2013-01-13.
  7. ^ "The D Style". Retrieved 2013-02-01.
  8. ^ "Object.prototype.__defineGetter__() - JavaScript | MDN". developer.mozilla.org. Retrieved 2021-07-06.
  9. ^ "PHP: Overloading - Manual". www.php.net. Retrieved 2021-07-06.

Read other articles:

Eddy SabaraEddy Sabara sebagai Irjen Depdagri (1979) Anggota Dewan Pertimbangan AgungMasa jabatan4 April 1984 – 26 Juni 1993PresidenSoehartoDirektur Jenderal Pemerintahan Umum dan Otonomi DaerahMasa jabatan24 September 1982 – Maret 1984PendahuluAchmad AdnawidjajaPenggantiTojiman SidikprawiroInspektur Jenderal Departemen Dalam NegeriMasa jabatan9 April 1979 – 24 September 1982MenteriAmirmachmudPendahuluSoedharmo DjajadiwangsaPenggantiPrapto PrayitnoGubernur Sulawe…

Area for recreation in a countryside environment A country park is a natural area designated for people to visit and enjoy recreation in a countryside environment. United Kingdom This symbol is used to designate a country park in the United Kingdom, for example on road signs. History In the United Kingdom, the term country park has a specific meaning. There are around 250 designated country parks in England and Wales attracting some 57 million visitors a year, and another 40 or so in Scotland. M…

Halaman ini berisi artikel tentang the rhythm and blues singer. Untuk kegunaan lain, lihat Ray Charles (disambiguasi). Ray CharlesCharles pada tahun 1969Informasi latar belakangNama lahirRay Charles Robinson[note 1]Lahir(1930-09-23)23 September 1930Albany, Georgia, U.S.[1]MeninggalTemplat:Date of death and ageBeverly Hills, California, U.S.Genre R&B soul blues gospel country jazz rock and roll PekerjaanMusiciansingersongwritercomposerInstrumen Vocals piano Tahun aktif1947–2…

Geographical concept You can help expand this article with text translated from the corresponding article in German. (September 2015) Click [show] for important translation instructions. View a machine-translated version of the German article. Machine translation, like DeepL or Google Translate, is a useful starting point for translations, but translators must revise errors as necessary and confirm that the translation is accurate, rather than simply copy-pasting machine-translated text int…

American linguist (1887–1949) Not to be confused with Leonard Blomefield, Leonard Broom, or Leonard Bloom (Basque linguist at University of Bridgeport). Leonard BloomfieldBorn(1887-04-01)April 1, 1887Chicago, Illinois, USDiedApril 18, 1949(1949-04-18) (aged 62)New Haven, Connecticut, USAlma materHarvard College, University of Wisconsin, University of Chicago, University of Leipzig, University of GöttingenSpouseAlice SayersScientific careerFieldsLinguistics, EthnolinguisticsInstituti…

Cette page contient des caractères spéciaux ou non latins. S’ils s’affichent mal (▯, ?, etc.), consultez la page d’aide Unicode. Pour les articles homonymes, voir Yuan (homonymie). Dynastie Yuan(zh) 元朝 (mn) Их Юань улс ( Dai Ön Ulus) 1234/1271–1368Bannière militaire présumée Sceau Le territoire de la dynastie Yuan vers 1294 Les provinces de la dynastie Yuan en 1330Informations générales Statut Monarchie Capitale Dadu (Pékin)Shangdu (capitale d'…

Questa voce sull'argomento Brescia è solo un abbozzo. Contribuisci a migliorarla secondo le convenzioni di Wikipedia. Signoria di Brescia Dati amministrativiNome completoSignoria di Brescia Lingue ufficialilatino Lingue parlateDialetto bresciano CapitaleBrescia  (30.000 ab.) PoliticaForma di StatoStato assoluto Forma di governoSignoria cittadina Nascita19 aprile 1404 con Pandolfo III Malatesta CausaElezione di Pandolfo III Malatesta a Signore di Brescia, per mano di Caterina Visc…

Duta Besar Mauritania untuk IndonesiaPetahanaWeddady Ould Sidi Haibasejak 2024Situs webambarimjakarta.org/en/ Berikut adalah daftar duta besar Republik Islam Mauritania untuk Republik Indonesia. Nama Kredensial Selesai tugas Ref. Yahya Ngam 4 Oktober 2016 [1][cat. 1] Mohammed At Thalib Zain Al Abidin 10 Juni 2020 [2] Houssein Sidi Abdellah 1 September 2021 [3] Weddady Ould Sidi Haiba 15 Februari 2024 Petahana [4] Catatan ^ Berkedudukan di Tokyo. Lihat…

2 Samuel 12Kitab Samuel (Kitab 1 & 2 Samuel) lengkap pada Kodeks Leningrad, dibuat tahun 1008.KitabKitab 1 SamuelKategoriNevi'imBagian Alkitab KristenPerjanjian LamaUrutan dalamKitab Kristen10← pasal 11 pasal 13 → 2 Samuel 12 (atau II Samuel 12, disingkat 2Sam 12) adalah bagian dari Kitab 2 Samuel dalam Alkitab Ibrani dan Perjanjian Lama di Alkitab Kristen. Dalam Alkitab Ibrani termasuk Nabi-nabi Awal atau Nevi'im Rishonim [נביאים ראשונים] dalam bagian Nevi'im (נב…

Louis GueuningBiographieNaissance 5 mars 1898Braine-le-ComteDécès 11 novembre 1971 (à 73 ans)AthNationalité belgeActivité Homme politiquemodifier - modifier le code - modifier Wikidata Louis Gueuning, né le 5 mars 1898 à Braine-le-Comte et mort à Ath le 11 novembre 1971[1], est un professeur et homme politique belge. Professeur de lettres classiques à Arlon, Soignies et Leeuw-Saint-Pierre, il fut en politique engagé au sein du Verdinaso en premier et au sein du Groupe Gueuning apr…

Questa voce sull'argomento cestisti statunitensi è solo un abbozzo. Contribuisci a migliorarla secondo le convenzioni di Wikipedia. Segui i suggerimenti del progetto di riferimento. Jonah Radebaugh Jonah Radebaugh (2022) Nazionalità  Stati Uniti Montenegro Altezza 191 cm Peso 84 kg Pallacanestro Ruolo Playmaker Squadra  Murcia CarrieraGiovanili 2011-2015Northglenn High School2015-2020 N. Colorado BearsSquadre di club 2020 Köping Stars11 (122)2020-2022 R. Ludwigsb…

Stadion Makomanai Sekisui HeimNama lamaMakomanai Open Stadium (1971–2007)LokasiSapporo, Prefektur Hokkaido, JepangKoordinat42°59′47″N 141°20′35″E / 42.99639°N 141.34306°E / 42.99639; 141.34306Koordinat: 42°59′47″N 141°20′35″E / 42.99639°N 141.34306°E / 42.99639; 141.34306OperatorAsosiasi Olahraga HokkaidoKapasitas17,324KonstruksiMulai pembangunan1970; 54 tahun lalu (1970)DibukaFebruari 1971; 53 tahun lalu (1971-0…

15th-century Marathi saint-poet of the Hindu Varkari sect Sant KanhopatraImage of Kanhopatra in the Vithoba Temple, PandharpurPersonalBorn15th century (exact date unknown)Mangalvedha, Maharashtra, IndiaDied15th century (exact date unknown)Pandharpur, Maharashtra, IndiaReligionHinduismOrganizationPhilosophyVarkariReligious careerLiterary worksOvi and Abhanga devotional poetryHonorsSant (संत) in Marathi, meaning Saint Kanhopatra (or Kanhupatra) was a 15th-century Marathi saint-poet, venerate…

The Oratorio di Sant'Ilrico (Oratory of Saint Hilarius) is a Baroque style, former-Roman Catholic oratory, that can be also described as a small church or independent-standing chapel, located at strada Massimo d'Azeglio #43, in the Oltretorrente quarter of Parma, Italy. The oratory is dedicated to the 4th-century anti-Arian Saint Hilary of Poitiers, one of the patrons of the city. The oratory is located within the Ospedale Vecchio (old civic hospital) with the entrance sandwiched among the porti…

Questa voce sull'argomento film erotici è solo un abbozzo. Contribuisci a migliorarla secondo le convenzioni di Wikipedia. Segui i suggerimenti del progetto di riferimento. InhibitionIlona Staller e Claudine Beccarie in una scena del filmPaese di produzioneItalia Anno1976 Durata95 min Genereerotico RegiaPaul Price (Paolo Poeti) SoggettoAdriano Belli SceneggiaturaAdriano Belli ProduttoreGiulio Scanni Casa di produzioneStaff - Capitol FotografiaGiancarlo Ferrando MontaggioLuigia Magrini Musi…

本條目存在以下問題,請協助改善本條目或在討論頁針對議題發表看法。 此條目需要編修,以確保文法、用詞、语气、格式、標點等使用恰当。 (2013年8月6日)請按照校對指引,幫助编辑這個條目。(幫助、討論) 此條目剧情、虛構用語或人物介紹过长过细,需清理无关故事主轴的细节、用語和角色介紹。 (2020年10月6日)劇情、用語和人物介紹都只是用於了解故事主軸,輔助讀…

خريطة البلدان التي لديها بعثة دبلوماسية في تركيا.. هذه هي قائمة البعثات الدبلوماسية في تركيا.[1] حالياً,تستضيف العاصمة أنقرة 99 سفارة. السفارات سفارات النرويج والمكسيك في أنقرة أنقرة  أفغانستان  ألبانيا  الجزائر  الأرجنتين  أستراليا  النمسا  أذربيجان  …

1813 siege during the Peninsular War Siege of Pamplona (1813)Part of Peninsular WarPart of the Pamplona fortress.Date26 June – 31 October 1813LocationPamplona, Spain42°49′N 01°39′W / 42.817°N 1.650°W / 42.817; -1.650Result Allied victoryBelligerents Kingdom of Spain United Kingdom First French EmpireCommanders and leaders Henry O'Donnell Carlos de España Marquess Wellington Lord Dalhousie Louis CassanStrength 9,500–14,183, 12 guns 3,450–3,800 80 heavy &…

Questa voce sull'argomento calciatrici è solo un abbozzo. Contribuisci a migliorarla secondo le convenzioni di Wikipedia. Segui i suggerimenti del progetto di riferimento. Rosalba Teresa LoneroNazionalità Italia Calcio RuoloCentrocampista CarrieraSquadre di club1 1968-1975 Roma Martinel? (?)1976Fasano? (?)1977-1979 Jolly Catania34 (6)1980-1985 Giolli Gelati Roma? (?)1985-1986 Sanitas Trani 80? (?)1989-1990 Il Delfino? (?) 1 I due numeri indicano le presenze e…

Network of charities with headquarters in Alexandria, Virginia Catholic Charities redirects here. For the Catholic Church's charities in general, see Catholic charities. Catholic Charities USAFoundedSeptember 25, 1910; 113 years ago (1910-09-25) (as National Conference of Catholic Charities)TypeHumanitarian aidTax ID no. 53-0196620LocationAlexandria, Virginia, U.S.OriginsUrsulines in New OrleansArea served United StatesKey peopleDonna Markham[1]President and CEOMargueri…