m.lev-yashin-1st-klub-union-dynamo-balon-1963-fc-s8.prestasi.web.id Layanan Informasi 17 Jam
Telp/Fax : 021-8762002, 8762003, 8762004, 87912360
HP/SMS : 081 1110 4824 27, 0812 9526 2009, 08523 1234 000
WhatsApp : 0817 0816 486, 0812 9526 2009
email : _Hubungi Kami__ silahkan klik
Chatting dengan Staf :
ggkarir.com
ggiklan.com
Pilih Bahasa :   ID   EN   Permintaan Katalog / Brosur (GRATIS via POS)   Ensiklopedia Lowongan Kerja Iklan

   
Cari  
    Informasi Sains

    Sebelumnya  (Mustache (template system)) (Mutual information)  Berikutnya    

Mutator method

In computer science, a mutator method is a method used to control changes to a variable.

The mutator method, sometimes called a "setter", 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.

Often a "setter" is accompanied by a "getter" (also known as an accessor), which returns the value of the private member variable.

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 onus 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.

Contents

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

C example

Note that it is perfectly possible to do object-oriented programming with guaranteed encapsulation in pure C.

In file student.h:

#ifndef STUDENT_H#define STUDENT_H typedef struct student *student_t; student_t student_new(int age, char *name);void student_delete(student_t s);  void student_set_age(student_t s, int age);int student_get_age(student_t s); #endif

In file student.c:

#include "student.h" struct student { int age; char *name; }; student_t student_new(int age, char *name) {  student_t s = malloc(sizeof *s);  s->age = age; s->name = name;  return s;} void student_delete(student_t s) {  free(s);} void student_set_age(student_t s, int age) {  s->age = age;} int student_get_age(student_t s) {  return s->age;}

In file main.c:

#include "student.h" int main(void) {  student_t s = student_new(19, "Maurice");  int old_age = student_get_age(s);  student_set_age(s, 21);  student_delete(s);  return 0;}

C++ example

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# example

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 example

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 example

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 example

This is a simple class in Delphi language that illustrates the concept of public property that access a private field.

interface type    TStudent = class        private            fName: string;            procedure SetName(const Value: String);        public            /// <summary>            /// Set or get the name of the student.            /// </summary>            property Name:String read fName write SetName;    end;

Java example

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 example

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(name) {    name_ = name;  };}

Or:

function Student(name){    var name_ = name;     this.__defineGetter__("name", function() {        return name_;    });     this.__defineSetter__("name", function(name) {        name_ = name;    });}

Or:

function Student(name){    var name_ = name;     this.__defineGetter__("name", function() {        return name_;    });     this.__defineSetter__("name", function(name) {        name_ = name;    });}

Or (if use prototypes for inheritance):

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

Actionscript 3.0 example

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 example

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 example

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_namehas 'name' => (is => 'rw', isa => 'Str', reader => 'get_name', writer => 'set_name'); 1;

PHP example

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 $name;     /**     * @return the $name     */    public function getName() {        return $this->name;    }     /**     * @param $newName     * the name to set     */    public function setName($newName) {        $this->name = $newName;    }}

Python example

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

class Student(object):    # Initializer    def __init__(self, name):        # 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")print bob.name #==> Bobbob.name = "Alice"print bob.name #==> Alicebob._name = "Charlie" # bypass the setterprint 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 example

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  endend

Read-only simple public access to implied @name variable

class Student  attr_reader :nameend

Read-write simple public access to implied @name variable

class Student  attr_accessor :nameend

Smalltalk example

  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 ]

Visual Basic .NET example

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 StringEnd Class

See also

References

  1. ^ Stephen Fuqua (2009). "Automatic Properties in C# 3.0". Retrieved 2009-10-19. 
  2. ^ Tim Lee (1998). "Run Time Efficiency of Accessor Functions". Retrieved 1998-07-13. 
  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. 
    Sebelumnya  (Mustache (template system)) (Mutual information)  Berikutnya    


D3 Usaha Perjalanan WisataS1 AkuntansiPusat Info KucingLatihan PsikotesNegara seluruh DuniaEnsiklopedia DuniaS2 Magister Manajemen / MMMySQL



Tags: Mutator method, Informasi Sains, 2272, Mutator method In computer science a mutator method is a method used to control changes to a variable, The mutator method sometimes called a, setter, 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 b, Mutator method, Bahasa Indonesia, Contoh Instruksi, Tutorial, Referensi, Buku, Petunjuk m.lev yashin 1st klub union dynamo balon 1963 fc s8, prestasi.web.id
 Program Magister Ilmu Komunikasi (MIKom, MIK)    Download Brosur / Katalog    Bursa Karir    Berbagai Perdebatan

 Pendaftaran Online    Pengajuan Keringanan Biaya Kuliah    Kuliah Hybrid di 112 PTS Terbaik    Program Perkuliahan Gratis    Program Kuliah Wiraswasta    Program Kuliah Reguler Pagi/Siang    Perkuliahan Paralel    Contoh Soal Try Out    Jadwal Sholat    Qur'an Online    Buku Tutorial    Soal-Jawab Psikotes/TPA    Pusat Rujukan Bebas    Berbagai Publikasi
Link Khusus ke
PTS Terakreditasi & Terkemuka
Penyelenggara Program S1, D3, S2

(silakan klik di bawah ini)
STMIKMJ - STMIKMJ Jakarta
IGI - STIE IGI Jakarta
STTM Cileungsi - STIE Cileungsi
STIE WP - STIE Widya Persada
UPRI - UPRI Makassar
STEI - STEI Yogyakarta
STIE - Hidayatullah Depok
STEBI - Bina Essa
P2KKMPoliteknik Aisyiyah

P2KKMUMPTB Lampung
P2KKMSTIT Al-Hikmah Lampung

P2KKMUniv.Amir Hamzah
P2KKMUSM Indonesia
P2KKMUniv. Al-Azhar Medan
P2KKMUniversitas Deli Sumatera

P2KKMUniv. Muh. Palangkaraya

P2KKMSTIT Nur Ahadiyah

P2KKMUniv. Nahd. Ulama Kalbar

P2KKMUniv. Nahd. Ulama Kaltim

Langsa -- Aceh :
P2KKMUSCND Langsa

P2KKMUniv. Ubudiyah Indonesia

P2KKMSTIT Hidayatullah
P2KKMIAI Abdullah Said

P2KKMUniv. Pejuang Rep. Ind.
P2KKMUniv. Teknologi Sulawesi
P2KKMUniv. Cokroaminoto Makassar
P2KKMITeKes Tri Tunas Nasional

P2KKMUniv. Patria Artha

P2KKMUniv. Nusantara, Manado
P2KKMSTIE Pioneer Manado
P2KKMUniversitas Parna Raya Manado

P2KKMUniversitas Boyolali

P2KKMUniversitas Duta Bangsa
P2KKMPoliteknik Harapan Bangsa Surakarta
P2KKMPoliteknik Santo Paulus Surakarta

P2KKMUNIBABWI

P2KKMUniv. Muhammadiyah Smrg
P2KKMUNDARIS Semarang
P2KKMUNAKI Semarang
P2KKMUPGRIS Semarang
P2KKMUniv. IVET Semarang
P2KKMSTIE Cendekia

P2KKMUNUGHA Cilacap

P2KKMUniv. Muhammadiyah Sby
P2KKMSTIE Pemuda Sby
P2KKMIKIP Widya Darma Sby
P2KKMSTIE Widya Darma Sby
P2KKMSTIE ABI Surabaya
P2KKMUNUSA Surabaya
P2KKMUniv. Widya Kartika
P2KKMSTAI Al Akbar Surabaya

P2KKMUniv. Kahuripan Kediri

P2KKMSTAI Muhammadiyah Tulungagung

P2KKMSTIKI Malang
P2KKMSTIE INDOCAKTI
P2KKMSTIE Al Rifa'ie

P2KKMSTIA Bayuangga
P2KKMSTAI Muhammadiyah Probolinggo

P2KKMUniversitas Moch. Sroedji

P2KKMSTEI JOGJA - STEI Yogyakarta
P2KKMSTIE Mitra Indonesia
P2KKMSTiPsi
P2KKMSTAI Terpadu Yogyakarta
P2KKMUniversitas Mahakarya Asia

P2KKMSTIE Hidayatullah
P2KKMSTIE - GICI A
P2KKMSTIE - GICI A


P2KKMSTMIK-MJ - STMIK Muh. Jkt.
P2KKMUNKRIS - Krisnadwipayana
P2KKMSTT Bina Tunggal - Bekasi
P2KKMSTT Duta Bangsa - Bekasi
P2KKMSTIE - GICI C
P2KKMSTEBI Global Mulia
P2KKMUniversitas Pelita Bangsa
P2KKMUniversitas Indonesia Mandiri
P2KKMPoliteknik Bhakti Kartini

P2KKMSTMIK-STIKOM Bali
P2KKMPOLNAS Denpasar
P2KKMUniversitas Bali Dwipa
P2KKMPoltek Ganesha Guru Singaraja

P2KKMSTIE Ganesha
P2KKMSTT Yuppentek
P2KKMITB Ahmad Dahlan
P2KKMUniv. Tangerang Raya
P2KKMSTIA Maulana Yusuf
P2KKMSTIH Gunung Jati
P2KKMSTIE PPI Balaraja

P2KKMUNSUB - Universitas Subang

P2KKMSTIT Al-Hidayah Tasikmalaya

P2KKMSTIE Walisongo
P2KKMSTT Walisongo

P2KKMUniv. Islam Al-Ihya

P2KKMSTT Mandala, Bandung
P2KKMSTT Bandung
P2KKMSTIE Gema Widya Bangsa
P2KKMUniversitas Insan Cendekia Mandiri
P2KKMUniversitas Halim Sanusi
P2KKMUniversitas Persatuan Islam
P2KKMSTEBI Bina Essa

P2KKMSTT Dr. Khez Muttaqien

P2KKMIMWI Sukabumi

P2KKMSTIH Dharma Andigha
P2KKMUniversitas Teknologi Nusnatara

P2KKMSTT Muhammadiyah Cileungsi

P2KKMISTA - Institut ST Al Kamal
P2KKMSTIE IGI - Inter. Golden Inst.
P2KKM Univ. Mpu Tantular B

P2KKMU M J - Univ. Muh. Jkt

P2KKMFISIP UMJ - Univ. Muh. Jkt.
P2KKMFTan UMJ - Agroteknologi
P2KKMSTIE Trianandra Jakarta
P2KKMSTIE - GICI B
P2KKMSTIE Ganesha
P2KKMSTIMAIMMI Jakarta
P2KKMTanri Abeng University

P2KKMUMHT - Univ. MH. Thamrin
P2KKMFE UMHT - FE MH. Thamrin
P2KKMFASILKOM UMHT
P2KKMUNKRIS - Krisnadwipayana
P2KKMITBU - Inst. Tek. Budi Utomo
P2KKMSTIE Trianandra Jakarta
P2KKMSTMIK Muh. Jkt - Matraman
P2KKMSTMIK Muh. Jkt - Ciracas
P2KKMUniv. Mpu Tantular A
P2KKMSTT Sapta Taruna
P2KKMIAI Al-Ghurabaa Jakarta

P2KKMISIF - Institut Studi Islam Fahmina

P2KKMSTEBI Global Mulia

P2KKMSTIKes Sapta Bakti
P2KKMSTAI Miftahul ulum

P2KKMPoltekkes Kerta Cendekia

P2KKMPelita Raya Institute


KPT Konsultan Pendidikan Tinggi

PERMINTAAN KATALOG
(GRATIS via POS)
Nama Penerima Katalog

Alamat Lengkap

Kota + Provinsi

Kode Pos

Email (tidak wajib)

⛦ harus diisi lengkap & jelas
Atau kirimkan nama dan
alamat lengkap via SMS ke HP:
0811 1990 9026


Brosur Gratis
Brosur Kelas Karyawan
Gabungan Seluruh Wilayah Indonesia

pdf (11,2 MB)zip (8,8 MB)
Image/JPG (36,2 MB)
Brosur Kelas Karyawan
JABODETABEK

pdf (5,5 MB)zip (4,4 MB)
Image/JPG (13,2 MB)
Brosur Kelas Karyawan
DIY,JATENG,JATIM & BALI

pdf (4,4 MB)zip (3,5 MB)
Image/JPG (14,5 MB)
Brosur Kelas Karyawan
JAWA BARAT

pdf (2,8 MB)zip (2,2 MB)
Image/JPG (7,1 MB)
Brosur Kelas Karyawan
SULAWESI

pdf (1,9 MB)zip (1,5 MB)
Image/JPG (5,6 MB)
Brosur Kelas Karyawan
SUMATERA & BATAM

pdf (2,2 MB)zip (1,7 MB)
Image/JPG (6,5 MB)
Brosur Reguler
pdf (4,1 Mb)zip (8,4 Mb)

Terobosan Baru
Strategi MENINGKATKAN
Kualitas Pendidikan, Sumber Daya dan Pendapatan PTS
Ikhtisar Terperinci
silakan klik di bawah ini
http://kpt.co.id

Lowongan Kerja

PT. Gilland Ganesha

Dibutuhkan Segera
  • Design Grafis
  • Tenaga Ahli Pemrograman

Rangkuman Menyeluruh di :
Kesempatan kerja

155 Jenis / Ras Kucing

Pengetahuan dasar kucing, arti warna kucing, jadwal vaksinasi kucing, dsb.

Facebook Kuliah Karyawan
Twitter Kuliah Karyawan

Tujuan Penting
silakan klik di bawah ini
Provinsi Papua
Ensiklopedis Online

1. Universitas Yarsi Pratama - Universitas Yarsi Pratama - Kampus : Jl. Aria Jaya Santika No. 7, Pasir Nangka, Kec. Tigaraksa, Kab. Tangerang, Banten
2. STIE Widya Persada Jakarta - Sekolah Tinggi Ilmu Ekonomi Widya Persada Jakarta - Kampus :Jl. Hj. Tutty Alawiyah No.486, RW.5, Kalibata, Kec. Pancoran, Kota Jakarta Selatan, Daerah Khusus Ibukota Jakarta 12740
3. UWIKA Surabaya - Universitas Widya Kartika Surabaya - Kampus UWIKA : Jl. Sutorejo Prima Utara II No.1, Kalisari, Kec. Mulyorejo, Kota Surabaya, Jawa Timur 60112
4. Universitas Wijaya Kusuma Surabaya - Universitas Wijaya Kusuma Surabaya - Kampus : Jl. Dukuh Kupang XXV No.54, Dukuh Kupang, Kec. Dukuhpakis, Surabaya, Jawa Timur 60225
5. Universitas Teknologi Sulawesi Makassar - Universitas Teknologi Sulawesi Makassar - Kampus UTS Makassar : Jl. Talasalapang No.51A, Karunrung, Kec. Rappocini, Kota Makassar, Sulawesi Selatan 90222
6. Universitas Teknologi Nusantara - Universitas Teknologi Nusantara - Kampus UTN : Jl. Kedung Halang Pemda pangkalan II No.66, RT.01/RW.02, Kedunghalang, Kec. Bogor Utara, Kota Bogor, Jawa Barat 16158
stieswadaya.web.id  |  magister-stieswadaya.web.id  |  uds.web.id  |  iaima.web.id  |  p2k.stih-awanglong.ac.id  |  umkaba.web.id  |  p2k.itbk.ac.id  |  p2k.nusamandiri.ac.id  |  p2k.cyber-univ.ac.id  |  uin-al-azhaar.web.id  |  unnur.web.id