JavaScriptのnewとは?オブジェクト作成の基礎を解説

JavaScriptのnew演算子を初心者向けに詳しく解説。基本的な使い方からコンストラクタ関数、クラスとの関係まで、オブジェクト指向プログラミングの基礎を分かりやすく紹介します。

Learning Next 運営
39 分で読めます

JavaScriptのnewとは?オブジェクト作成の基礎を解説

JavaScript学習中に「同じような構造のオブジェクトを何度も作るのは面倒だな」と思ったことはありませんか?

「newって何をしているの?」 「コンストラクタ関数とクラスの違いが分からない」

そんな疑問を抱いている方は多いと思います。 でも大丈夫です!

この記事では、JavaScriptのnew演算子の基本から実践的な使い方までを初心者向けに詳しく解説します。 オブジェクト指向プログラミングの基礎をマスターして、より効率的なコードを書けるようになりましょう。

きっと「こんなに便利だったんだ!」と感じられるはずですよ。

new演算子の基本を理解しよう

new演算子って何?

new演算子は、コンストラクタ関数やクラスから新しいオブジェクトを作る仕組みです。

簡単に言うと、「オブジェクトの設計図から実際の製品を作る」ような機能です。 同じ構造を持つオブジェクトを効率的に量産できます。

まずは基本的な使い方を見てみましょう。

// コンストラクタ関数の例
function Person(name, age) {
this.name = name;
this.age = age;
this.greet = function() {
return `こんにちは、私は${this.name}です。${this.age}歳です。`;
};
}
// new演算子を使用してオブジェクトを作成
let person1 = new Person("太郎", 25);
let person2 = new Person("花子", 30);
console.log(person1.greet()); // "こんにちは、私は太郎です。25歳です。"
console.log(person2.greet()); // "こんにちは、私は花子です。30歳です。"

この例では、Personというコンストラクタ関数から2つの異なるオブジェクトを作成しています。 new Person() を使うことで、それぞれ異なる名前と年齢を持つオブジェクトができあがりますね。

new演算子の動作原理

new演算子は、内部で以下の4つのステップを実行しています。

動作の流れを確認してみましょう。

  1. 新しい空のオブジェクトを作成
  2. thisを新しいオブジェクトにバインド
  3. コンストラクタ関数を実行
  4. 新しいオブジェクトを返す
// new演算子の内部動作を理解するための例
function Car(brand, model) {
// 1. 新しい空のオブジェクト {} が作成される
// 2. this = {} (新しいオブジェクトを指す)
// 3. コンストラクタ関数の処理を実行
this.brand = brand;
this.model = model;
this.start = function() {
return `${this.brand} ${this.model} エンジン始動!`;
};
// 4. 新しいオブジェクトが自動的に返される
// return this; (暗黙的に実行される)
}
let myCar = new Car("トヨタ", "プリウス");
console.log(myCar.brand); // "トヨタ"
console.log(myCar.start()); // "トヨタ プリウス エンジン始動!"

このように、new演算子により効率的にオブジェクトを量産できるようになります。 毎回手動でオブジェクトを作る必要がないので、とても便利ですね。

コンストラクタ関数をマスターしよう

基本的なコンストラクタ関数の書き方

コンストラクタ関数は、オブジェクトのテンプレートとして機能します。

実用的な例として、本の情報を管理するオブジェクトを作ってみましょう。

// 基本的なコンストラクタ関数
function Book(title, author, pages) {
this.title = title;
this.author = author;
this.pages = pages;
this.isRead = false;
// メソッドの定義
this.read = function() {
this.isRead = true;
return `${this.title}」を読み終わりました!`;
};
this.getInfo = function() {
return `タイトル: ${this.title}, 著者: ${this.author}, ページ数: ${this.pages}`;
};
}
// インスタンスの作成
let book1 = new Book("JavaScript入門", "プログラム太郎", 300);
let book2 = new Book("Web開発の基礎", "コード花子", 450);
console.log(book1.getInfo()); // "タイトル: JavaScript入門, 著者: プログラム太郎, ページ数: 300"
console.log(book1.read()); // "「JavaScript入門」を読み終わりました!"
console.log(book1.isRead); // true

この例では、本の基本情報を保存し、読書状況を管理するオブジェクトを作成しています。 new Book() を使うことで、異なる本の情報を持つオブジェクトを簡単に作れますね。

プロトタイプを使った効率的なメソッド定義

メモリ効率を向上させるために、プロトタイプを使った書き方を覚えましょう。

// プロトタイプを使用した改良版
function Student(name, grade) {
this.name = name;
this.grade = grade;
this.subjects = [];
}
// プロトタイプにメソッドを定義(メモリ効率が良い)
Student.prototype.addSubject = function(subject) {
this.subjects.push(subject);
console.log(`${this.name}${subject.name}を履修しました`);
};
Student.prototype.getGPA = function() {
if (this.subjects.length === 0) return 0;
let total = this.subjects.reduce((sum, subject) => sum + subject.score, 0);
return (total / this.subjects.length).toFixed(2);
};
Student.prototype.getInfo = function() {
return `生徒名: ${this.name}, 学年: ${this.grade}, 履修科目数: ${this.subjects.length}`;
};
// 使用例
let student1 = new Student("山田太郎", 2);
let student2 = new Student("田中花子", 3);
student1.addSubject({name: "数学", score: 85});
student1.addSubject({name: "英語", score: 92});
console.log(student1.getInfo()); // "生徒名: 山田太郎, 学年: 2, 履修科目数: 2"
console.log(student1.getGPA()); // "88.50"

プロトタイプを使うことで、すべてのインスタンスがメソッドを共有できます。 メモリ使用量を抑えながら、機能的なオブジェクトを作成できますね。

パラメータの検証を追加しよう

実際の開発では、不正な値が渡されることを想定した検証が重要です。

// パラメータ検証付きのコンストラクタ
function BankAccount(accountNumber, initialBalance = 0) {
// パラメータの検証
if (!accountNumber || typeof accountNumber !== 'string') {
throw new Error("有効な口座番号を指定してください");
}
if (typeof initialBalance !== 'number' || initialBalance < 0) {
throw new Error("初期残高は0以上の数値である必要があります");
}
this.accountNumber = accountNumber;
this.balance = initialBalance;
this.transactions = [];
}
BankAccount.prototype.deposit = function(amount) {
if (amount <= 0) {
throw new Error("入金額は0より大きい値である必要があります");
}
this.balance += amount;
this.transactions.push({
type: "入金",
amount: amount,
date: new Date(),
balance: this.balance
});
console.log(`${amount}円入金しました。残高: ${this.balance}`);
};
BankAccount.prototype.withdraw = function(amount) {
if (amount <= 0) {
throw new Error("出金額は0より大きい値である必要があります");
}
if (amount > this.balance) {
throw new Error("残高不足です");
}
this.balance -= amount;
this.transactions.push({
type: "出金",
amount: amount,
date: new Date(),
balance: this.balance
});
console.log(`${amount}円出金しました。残高: ${this.balance}`);
};
// 使用例
try {
let account = new BankAccount("123-456-789", 10000);
account.deposit(5000);
account.withdraw(3000);
console.log(`現在の残高: ${account.balance}`);
} catch (error) {
console.error("エラー:", error.message);
}

この例では、入力値をしっかりと検証しています。 エラーハンドリングにより、予期しない動作を防げますね。

ES6クラスとnew演算子を理解しよう

クラス記法の基本

ES6では、より直感的なクラス記法が導入されました。

現代的な書き方を覚えてみましょう。

// ES6クラス記法
class Animal {
constructor(name, species) {
this.name = name;
this.species = species;
this.energy = 100;
}
// メソッドの定義(プロトタイプに自動的に追加される)
eat(food) {
this.energy += 10;
console.log(`${this.name}${food}を食べました。エネルギー: ${this.energy}`);
}
sleep() {
this.energy = 100;
console.log(`${this.name}が眠りました。エネルギーが回復しました。`);
}
getInfo() {
return `名前: ${this.name}, 種類: ${this.species}, エネルギー: ${this.energy}`;
}
}
// インスタンスの作成(new演算子を使用)
let dog = new Animal("ポチ", "犬");
let cat = new Animal("ミケ", "猫");
dog.eat("ドッグフード");
cat.eat("キャットフード");
cat.sleep();
console.log(dog.getInfo()); // "名前: ポチ, 種類: 犬, エネルギー: 110"
console.log(cat.getInfo()); // "名前: ミケ, 種類: 猫, エネルギー: 100"

クラス記法は、コンストラクタ関数よりも読みやすく書けます。 constructor メソッドが初期化処理を担当し、他のメソッドは自動的にプロトタイプに追加されますね。

継承とsuper

クラス間の継承関係を作ることで、コードの再利用性が向上します。

// 基底クラス
class Vehicle {
constructor(brand, model, year) {
this.brand = brand;
this.model = model;
this.year = year;
this.isRunning = false;
}
start() {
if (!this.isRunning) {
this.isRunning = true;
console.log(`${this.brand} ${this.model} が始動しました`);
} else {
console.log("既に始動しています");
}
}
stop() {
if (this.isRunning) {
this.isRunning = false;
console.log(`${this.brand} ${this.model} が停止しました`);
} else {
console.log("既に停止しています");
}
}
getInfo() {
return `${this.year}年式 ${this.brand} ${this.model}`;
}
}
// 派生クラス
class Car extends Vehicle {
constructor(brand, model, year, doors) {
super(brand, model, year); // 親クラスのコンストラクタを呼び出し
this.doors = doors;
this.fuel = 50; // 燃料レベル
}
drive(distance) {
if (!this.isRunning) {
console.log("エンジンを始動してください");
return;
}
let fuelNeeded = distance * 0.1;
if (this.fuel < fuelNeeded) {
console.log("燃料不足です");
return;
}
this.fuel -= fuelNeeded;
console.log(`${distance}km運転しました。残り燃料: ${this.fuel.toFixed(1)}L`);
}
refuel() {
this.fuel = 50;
console.log("燃料を満タンにしました");
}
// メソッドのオーバーライド
getInfo() {
return `${super.getInfo()}, ドア数: ${this.doors}, 燃料: ${this.fuel.toFixed(1)}L`;
}
}
// 使用例
let myCar = new Car("ホンダ", "シビック", 2023, 4);
console.log(myCar.getInfo());
myCar.start();
myCar.drive(100);
myCar.refuel();
myCar.stop();

extends キーワードで継承関係を作り、super() で親クラスの機能を呼び出せます。 車は乗り物の一種なので、基本機能を継承しつつ独自の機能を追加していますね。

ゲッターとセッターを活用しよう

プロパティへのアクセスを制御するゲッターとセッターも便利です。

class Temperature {
constructor(celsius = 0) {
this._celsius = celsius;
}
// ゲッター
get celsius() {
return this._celsius;
}
get fahrenheit() {
return (this._celsius * 9/5) + 32;
}
get kelvin() {
return this._celsius + 273.15;
}
// セッター
set celsius(value) {
if (typeof value !== 'number') {
throw new Error("温度は数値である必要があります");
}
this._celsius = value;
}
set fahrenheit(value) {
if (typeof value !== 'number') {
throw new Error("温度は数値である必要があります");
}
this._celsius = (value - 32) * 5/9;
}
getDescription() {
if (this._celsius < 0) {
return "氷点下です";
} else if (this._celsius < 10) {
return "寒いです";
} else if (this._celsius < 25) {
return "涼しいです";
} else if (this._celsius < 30) {
return "暖かいです";
} else {
return "暑いです";
}
}
}
// 使用例
let temp = new Temperature(25);
console.log(`摂氏: ${temp.celsius}°C`); // 25
console.log(`華氏: ${temp.fahrenheit}°F`); // 77
console.log(`ケルビン: ${temp.kelvin}K`); // 298.15
console.log(temp.getDescription()); // "暖かいです"
temp.fahrenheit = 100; // セッターを使用
console.log(`摂氏: ${temp.celsius}°C`); // 37.78...

ゲッターとセッターにより、プロパティアクセス時に自動計算や検証ができます。 温度の単位変換が自動的に行われるので、とても便利ですね。

実践的な活用例で理解を深めよう

ToDoアプリケーション

実際のアプリケーション開発で使えるクラス設計を見てみましょう。

まずは全体の構造から確認します。

// ToDoアイテムクラス
class TodoItem {
constructor(title, description = "") {
this.id = Date.now().toString(36) + Math.random().toString(36).substr(2);
this.title = title;
this.description = description;
this.completed = false;
this.createdAt = new Date();
this.completedAt = null;
}
complete() {
if (!this.completed) {
this.completed = true;
this.completedAt = new Date();
console.log(`タスク「${this.title}」を完了しました`);
}
}
uncomplete() {
if (this.completed) {
this.completed = false;
this.completedAt = null;
console.log(`タスク「${this.title}」を未完了に戻しました`);
}
}
getInfo() {
let status = this.completed ? "完了" : "未完了";
let completedInfo = this.completed ? ` (完了日: ${this.completedAt.toLocaleDateString()})` : "";
return `[${status}] ${this.title}${completedInfo}`;
}
}

このクラスでは、個々のToDoアイテムの状態管理を行っています。 ユニークなID生成、完了状態の切り替え、情報表示などの機能を持っていますね。

次に、ToDoリスト全体を管理するクラスを見てみましょう。

// ToDoリストクラス
class TodoList {
constructor(name = "マイToDoリスト") {
this.name = name;
this.items = [];
this.createdAt = new Date();
}
addItem(title, description) {
let item = new TodoItem(title, description);
this.items.push(item);
console.log(`タスク「${title}」を追加しました`);
return item.id;
}
removeItem(id) {
let index = this.items.findIndex(item => item.id === id);
if (index !== -1) {
let removedItem = this.items.splice(index, 1)[0];
console.log(`タスク「${removedItem.title}」を削除しました`);
return true;
}
return false;
}
completeItem(id) {
let item = this.items.find(item => item.id === id);
if (item) {
item.complete();
}
}
getCompletedItems() {
return this.items.filter(item => item.completed);
}
getPendingItems() {
return this.items.filter(item => !item.completed);
}
displayList() {
console.log(`
=== ${this.name} ===`);
if (this.items.length === 0) {
console.log("タスクはありません");
} else {
this.items.forEach(item => {
console.log(item.getInfo());
});
}
console.log(`合計: ${this.items.length}件 (完了: ${this.getCompletedItems().length}件, 未完了: ${this.getPendingItems().length}件)`);
console.log("===================
");
}
}
// 使用例
let myTodoList = new TodoList("今日のタスク");
let task1Id = myTodoList.addItem("買い物", "牛乳、パン、卵を買う");
let task2Id = myTodoList.addItem("メール返信", "クライアントからのメールに返信");
let task3Id = myTodoList.addItem("プレゼン準備", "明日の会議用資料作成");
myTodoList.displayList();
myTodoList.completeItem(task1Id);
myTodoList.displayList();

このToDoリストクラスでは、複数のToDoアイテムを管理しています。 アイテムの追加、削除、完了状態の変更、統計表示などの機能を提供していますね。

ゲームキャラクタークラス

より複雑な例として、ゲームキャラクターの管理システムを見てみましょう。

まずは基底クラスから確認します。

// ゲームキャラクターの基底クラス
class Character {
constructor(name, health = 100, attack = 10) {
this.name = name;
this.maxHealth = health;
this.health = health;
this.attack = attack;
this.level = 1;
this.experience = 0;
this.isAlive = true;
}
takeDamage(damage) {
if (!this.isAlive) return;
this.health -= damage;
console.log(`${this.name}${damage}のダメージを受けました`);
if (this.health <= 0) {
this.health = 0;
this.isAlive = false;
console.log(`${this.name}は倒れました...`);
}
}
heal(amount) {
if (!this.isAlive) return;
this.health = Math.min(this.health + amount, this.maxHealth);
console.log(`${this.name}${amount}回復しました。HP: ${this.health}/${this.maxHealth}`);
}
gainExperience(exp) {
this.experience += exp;
console.log(`${this.name}${exp}の経験値を獲得しました`);
// レベルアップの判定
let expNeeded = this.level * 100;
if (this.experience >= expNeeded) {
this.levelUp();
}
}
levelUp() {
this.level++;
this.experience = 0;
this.maxHealth += 20;
this.health = this.maxHealth; // レベルアップで完全回復
this.attack += 5;
console.log(`🎉 ${this.name}がレベル${this.level}に上がりました!`);
}
getStatus() {
let status = this.isAlive ? "生存" : "戦闘不能";
return `${this.name} - レベル:${this.level}, HP:${this.health}/${this.maxHealth}, 攻撃力:${this.attack}, 状態:${status}`;
}
}

基底クラスでは、すべてのキャラクターに共通する機能を定義しています。 HP管理、経験値獲得、レベルアップなどの基本的な仕組みを提供していますね。

次に、特定の職業に特化したクラスを見てみましょう。

// 戦士クラス(継承)
class Warrior extends Character {
constructor(name) {
super(name, 120, 15); // 高いHP、高い攻撃力
this.className = "戦士";
this.defense = 5;
}
takeDamage(damage) {
// 防御力を考慮したダメージ計算
let actualDamage = Math.max(damage - this.defense, 1);
super.takeDamage(actualDamage);
}
powerAttack(target) {
if (!this.isAlive || !target.isAlive) return;
let damage = this.attack * 1.5;
console.log(`${this.name}のパワーアタック!`);
target.takeDamage(damage);
}
}
// 魔法使いクラス(継承)
class Mage extends Character {
constructor(name) {
super(name, 80, 8); // 低いHP、低い攻撃力
this.className = "魔法使い";
this.mana = 50;
this.maxMana = 50;
}
fireball(target) {
if (!this.isAlive || !target.isAlive || this.mana < 15) {
console.log("マナが不足しています");
return;
}
this.mana -= 15;
let damage = this.attack * 2;
console.log(`${this.name}のファイアボール! (マナ: ${this.mana}/${this.maxMana})`);
target.takeDamage(damage);
}
heal(target = this) {
if (this.mana < 10) {
console.log("マナが不足しています");
return;
}
this.mana -= 10;
let healAmount = 30;
console.log(`${this.name}のヒール魔法! (マナ: ${this.mana}/${this.maxMana})`);
target.heal(healAmount);
}
restoreMana() {
this.mana = this.maxMana;
console.log(`${this.name}のマナが回復しました`);
}
}
// 使用例
let warrior = new Warrior("アーサー");
let mage = new Mage("マーリン");
console.log(warrior.getStatus());
console.log(mage.getStatus());
// 戦闘シミュレーション
console.log("
=== 戦闘開始 ===");
warrior.powerAttack(mage);
mage.fireball(warrior);
mage.heal();
console.log("
=== 戦闘後のステータス ===");
console.log(warrior.getStatus());
console.log(mage.getStatus());
// レベルアップテスト
warrior.gainExperience(120);

職業別のクラスでは、基底クラスの機能を継承しつつ独自の特殊能力を追加しています。 戦士は防御力とパワーアタック、魔法使いはマナと魔法攻撃を持っていますね。

よくある間違いと回避方法を身につけよう

newを忘れる問題

new演算子を使い忘れると、予期しない動作になることがあります。

問題のあるパターンとその対策を見てみましょう。

// 問題のある例:newを忘れる
function Person(name) {
this.name = name;
this.greet = function() {
return `Hello, I'm ${this.name}`;
};
}
// newを忘れた場合
let person1 = Person("太郎"); // thisがグローバルオブジェクトを指す
console.log(person1); // undefined

この例では、new を使わずに関数を呼び出しています。 結果として undefined が返され、期待したオブジェクトが作成されませんね。

対策方法をいくつか見てみましょう。

// 解決方法1: newの存在チェック
function SafePerson(name) {
// newが使われていない場合の対策
if (!(this instanceof SafePerson)) {
return new SafePerson(name);
}
this.name = name;
this.greet = function() {
return `Hello, I'm ${this.name}`;
};
}
let person2 = SafePerson("花子"); // newなしでも動作
console.log(person2.greet()); // "Hello, I'm 花子"
// 解決方法2: ES6クラスの使用(推奨)
class ModernPerson {
constructor(name) {
this.name = name;
}
greet() {
return `Hello, I'm ${this.name}`;
}
}
// クラスはnewなしで呼び出すとエラーになる
let person3 = new ModernPerson("次郎"); // 正しい使い方

ES6クラスを使うことで、new の省略によるエラーを防げます。 現代的な開発では、クラス記法の使用をおすすめします。

thisの問題

メソッドを変数に代入すると、thisの参照先が変わってしまうことがあります。

// thisの問題とその解決
class Counter {
constructor() {
this.count = 0;
}
increment() {
this.count++;
console.log(`カウント: ${this.count}`);
}
// アロー関数を使用してthisを固定
incrementArrow = () => {
this.count++;
console.log(`カウント: ${this.count}`);
}
}
let counter = new Counter();
// 正常な呼び出し
counter.increment(); // カウント: 1
// 問題のある呼び出し
let incrementFunc = counter.increment;
// incrementFunc(); // エラー: thisがundefined
// 解決方法1: bind()を使用
let boundIncrement = counter.increment.bind(counter);
boundIncrement(); // カウント: 2
// 解決方法2: アロー関数メソッドを使用
let arrowIncrement = counter.incrementArrow;
arrowIncrement(); // カウント: 3(正常に動作)

アロー関数やbind()メソッドを使うことで、thisの問題を解決できます。 コールバック関数として渡す場合は、特に注意が必要ですね。

メモリリークの問題

オブジェクトが不要になった時の適切なクリーンアップも重要です。

// メモリリークの問題とその対策
class EventManager {
constructor() {
this.listeners = [];
this.timers = [];
}
addListener(element, event, callback) {
element.addEventListener(event, callback);
this.listeners.push({ element, event, callback });
}
addTimer(callback, interval) {
let timerId = setInterval(callback, interval);
this.timers.push(timerId);
return timerId;
}
// クリーンアップメソッド
cleanup() {
// イベントリスナーの削除
this.listeners.forEach(({ element, event, callback }) => {
element.removeEventListener(event, callback);
});
this.listeners = [];
// タイマーの削除
this.timers.forEach(timerId => {
clearInterval(timerId);
});
this.timers = [];
console.log("リソースをクリーンアップしました");
}
}
// 使用例
let manager = new EventManager();
// ページを離れる時にクリーンアップ
window.addEventListener('beforeunload', () => {
manager.cleanup();
});

リソース管理を適切に行うことで、メモリリークを防げます。 イベントリスナーやタイマーなどは、不要になったら必ず削除しましょう。

まとめ:new演算子でオブジェクト指向をマスターしよう

JavaScriptのnew演算子について、基本から応用まで詳しく学習しました。

基本的な特徴をおさらいしましょう。

  • コンストラクタ関数やクラスからオブジェクトを作成
  • 新しいオブジェクトの作成→thisバインド→関数実行→オブジェクト返却の4ステップ
  • 同じ構造を持つオブジェクトの効率的な量産が可能

実践的な使用方法も重要です。

  • コンストラクタ関数での基本的なオブジェクト作成
  • ES6クラス記法でのモダンな書き方
  • 継承やsuper、ゲッター/セッターの活用
  • プロトタイプを使ったメモリ効率の良いメソッド定義

注意すべきポイントも忘れずに。

  • newの省略によるエラーを防ぐ安全な実装
  • thisの適切な扱い方
  • メモリリークの防止
  • プロトタイプ汚染の回避

ベストプラクティスとして以下をおすすめします。

  • ES6クラス記法の使用(推奨)
  • 適切なエラーハンドリング
  • リソースのクリーンアップ
  • thisバインディングの問題への対策

new演算子は、JavaScriptにおけるオブジェクト指向プログラミングの基礎となる重要な概念です。 適切に理解して使用することで、再利用性が高く保守しやすいコードを書けるようになります。

今回学んだ内容を実際のプロジェクトで活用して、より構造化された効率的なプログラムを作成してみませんか? きっと「オブジェクト指向って便利だな!」と感じられるはずです。

関連記事