[nodejs,mongodb,angularjs2]我的便利貼-web應用練習

来源:http://www.cnblogs.com/wangxinsheng/archive/2017/01/21/6337589.html
-Advertisement-
Play Games

1.目的:學習nodejs連接使用mongodb,用angularjs2展示數據 2.使用技術: 資料庫: mongodb 後端數據獲取: nodejs 前端數據展示: angularjs2 ...


1.目的:學習nodejs連接使用mongodb,用angularjs2展示數據
2.使用技術:
資料庫: mongodb
後端數據獲取: nodejs
前端數據展示: angularjs2
3.應用:
純mongodb CURD操作: http://127.0.0.1:3000/mongodb/
便利貼應用:http://127.0.0.1:3000/
4.運行方法:
1) 安裝有nodejs,mongodb
2) npm install supervisor -g
3) npm install
4) npm start
5.便利貼畫面樣式 參照http://jingyan.baidu.com/article/e75057f287c8abebc91a89d7.html
copyright:WangXinsheng
cnblogs.com/wangxinsheng

============================

http://127.0.0.1:3000/:

 

http://127.0.0.1:3000/mongodb/:

核心代碼:

1.mongodb操作用,使用mongodb驅動[nodejs]:

  1 // insert method
  2 var insertDocuments = function(db,data,col,callback) {
  3     // Get the documents collection
  4     var collection = db.collection(col);
  5     // Insert some documents
  6     collection.insertMany([data], function(err, result) {
  7         assert.equal(err, null);
  8         callback(result);
  9     });
 10 }
 11 // find documents
 12 var findDocuments = function(db,col,callback,filterJson={}) {
 13     // Get the documents collection
 14     var collection = db.collection(col);
 15     // Find some documents
 16     collection.find(filterJson).toArray(function(err, docs) {
 17         assert.equal(err, null);
 18         docs.sort(function(a,b){return b.time.replace(/\-/g,'') - a.time.replace(/\-/g,'');});
 19         callback(docs);
 20     });
 21 }
 22 // remove docs
 23 var removeDocument = function(db,removeJson,col,callback) {
 24     // Get the documents collection
 25     var collection = db.collection(col);
 26     // or use methode: remove
 27     collection.deleteOne(removeJson, function(err, result) {
 28         assert.equal(err, null);
 29         callback(result);
 30     }); 
 31 }
 32 // update docs
 33 var updateDocument = function(db,updateJson,setJson,col,callback) {
 34     // Get the documents collection
 35     var collection = db.collection(col);
 36     // Update document
 37     collection.updateMany(updateJson
 38     , { $set: setJson }, function(err, result) {
 39         assert.equal(err, null);
 40         callback(result);
 41     }); 
 42 }
 43 /*
 44 note opp
 45  */
 46 router.get('/getAllNote',function(req, res, next) {
 47     // Use connect method to connect to the server
 48     MongoClient.connect(url,function(err, db) {
 49         assert.equal(null, err);
 50         findDocuments(db,'note',function(allDocs) {
 51             db.close();
 52             res.json(allDocs);
 53         });
 54     });
 55 });
 56 
 57 router.post('/getNote',function(req, res, next) {
 58     // Use connect method to connect to the server
 59     MongoClient.connect(url,function(err, db) {
 60         assert.equal(null, err);
 61         let filterJson = {'_id':new ObjectID(req.body._id)};
 62         findDocuments(db,'note',function(allDocs) {
 63             db.close();
 64             res.json(allDocs);
 65         },filterJson);
 66     });
 67 });
 68 
 69 router.post('/addNote',function(req, res, next) {
 70     // Use connect method to connect to the server
 71     MongoClient.connect(url, function(err, db) {
 72         insertDocuments(db,req.body,'note',function(result) {
 73             db.close();
 74             res.json(result);
 75         });
 76     });
 77 });
 78 
 79 router.post('/delNote',function(req, res, next) {
 80     // Use connect method to connect to the server
 81     MongoClient.connect(url, function(err, db) {
 82         let removeJson = {'_id': new ObjectID(req.body._id)};
 83         removeDocument(db,removeJson,'note',function(result) {
 84             db.close();
 85             res.json(result);
 86         });
 87     });
 88 });
 89 
 90 router.post('/editNote',function(req, res, next) {
 91     // Use connect method to connect to the server
 92     MongoClient.connect(url, function(err, db) {
 93         let updateJson = {'_id':new ObjectID(req.body._id)};
 94         let setJson = {'time':req.body.time,'content':req.body.content,'name':req.body.name,'sts':req.body.sts};
 95         updateDocument(db, updateJson, setJson,'note',function(result) {
 96             db.close();
 97             res.json(result);
 98         });
 99     });
100 });

2.模板代碼[略,詳見附件]:

note.jade

noteDetail.html

noteList.html

noteShow.html

3.angularjs2 服務代碼:

 1 import { Injectable } from '@angular/core';
 2 import {Http,Response} from '@angular/http';
 3 import 'rxjs/add/operator/toPromise';
 4 import 'rxjs/add/operator/catch';
 5 import 'rxjs/add/operator/debounceTime';
 6 import 'rxjs/add/operator/distinctUntilChanged';
 7 import 'rxjs/add/operator/map';
 8 import 'rxjs/add/operator/switchMap';
 9 
10 @Injectable()
11 export class noteService {
12   constructor(private http: Http) {
13   }
14   getAllNote():Promise<any[]> {
15     return this.http.get('/mongodb/getAllNote').toPromise().then(res=>
16       JSON.parse(res.text()) as any[]
17     ).catch(this.handleError);
18   }
19   getNote(noteId:string):Promise<any[]> {
20     return this.http.post('/mongodb/getNote',{_id:noteId}).toPromise().then(res=>
21       JSON.parse(res.text()) as any[]
22     ).catch(this.handleError);
23   }
24   addNote(note:any):Promise<any[]> {
25     return this.http.post('/mongodb/addNote',note).toPromise().then(res=>
26       JSON.parse(res.text()) as any
27     ).catch(this.handleError);
28   }
29   delNote(note:any):Promise<any[]> {
30     return this.http.post('/mongodb/delNote',note).toPromise().then(res=>
31       JSON.parse(res.text()) as any
32     ).catch(this.handleError);
33   }
34   editNote(note:any):Promise<any[]> {
35     return this.http.post('/mongodb/editNote',note).toPromise().then(res=>
36       JSON.parse(res.text()) as any
37     ).catch(this.handleError);
38   }
39 
40   private handleError (error: Response | any) {
41     console.error(error);
42     return { };
43   }
44 }

4.angularjs2 列表顯示代碼:

import {Component, OnInit, ViewChild, Renderer, ElementRef, AfterViewInit, animate, trigger,state,style,transition} from '@angular/core';
import {Http,Response} from '@angular/http';
import 'rxjs/add/operator/toPromise';
import 'rxjs/add/operator/catch';
import 'rxjs/add/operator/debounceTime';
import 'rxjs/add/operator/distinctUntilChanged';
import 'rxjs/add/operator/map';
import 'rxjs/add/operator/switchMap';
import { noteService } from './note.service';
import { Router,ActivatedRoute, Params }  from '@angular/router';

@Component({
  selector: 'noteList',
  templateUrl: '/noteList.html',
  styleUrls: ['stylesheets/noteList.css']
})
export class AppListComponent  implements OnInit {
    notes:any[] = [];
    constructor(private noteService: noteService,private router: Router,private route: ActivatedRoute) {
    }
    ngOnInit(){
        this.noteService.getAllNote().then(notes => this.notes=notes);
    }
  doEdit(editNote:any){
    this.router.navigate(['/noteEdit', JSON.stringify(editNote)]);
  }
  doDel(delNote:any){
    this.noteService.delNote(delNote).then(result => {
      this.noteService.getAllNote().then(notes => this.notes=notes);
    });
  }
  doShow(noteId:string){
    this.router.navigate(['/noteShow', noteId]);
  }
}

5.添加編輯顯示代碼[略,詳見附件]:

noteAddForm.component.ts [添加與修改]

noteShow.component.ts [顯示詳細]

完整源碼下載:http://download.csdn.net/detail/wangxsh42/9742804


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • FFmpeg DXVA2解碼得到的數據使用surface來承載的,surface限制很多,如果能用紋理來渲染的話,那我們就可以充分開發D3D,比如可以用坐標變換來實現電子放大的功能,還可以用坐標變換來實現視頻圖像任意角度的旋轉等功能。而對於我來說,最重要的是紋理渲染可以使得解碼後的數據能夠用像素著色... ...
  • 今天,我們來講一下建造者模式。 一、案例 我們來用winform畫一個小人,一個頭,一個身體,兩隻手,兩條腿。 我們一般想到的代碼如下: 運行的效果: 嗯,好,下麵,我們再畫一個稍微胖一點的小人。 代碼如下: 運行效果如下 咦,我們好像少花了條腿哦。 哈哈,像這樣粗心的情況我們經常出現 二、演繹 1 ...
  • 一. 許可權場景分析: 1. 系統具有角色概念, 部門概念, 且都具有相應不同的許可權 2. 用戶具有多個角色, 多個部門等關係, 並且能給單個用戶指派獨有的許可權 3. 具有細粒度許可權控制到資源的RBAC, 能控制頁面, 控制菜單, 控制邏輯, 控制單個操作, 控制到單一數據; 且具有一定的可擴展性 4 ...
  • 1.添加許可權常量 打開文件AppPermissions.cs 【..\MyCompanyName.AbpZeroTemplate.Core\Authorization\AppPermissions.cs】 在末尾添加如下常量: //分類管理許可權 public const string Pages_C ...
  • Smart Tab Overview Smart Tab is a jQuery plugin for tabbed interface. It is flexible and very easy to implement. It has a lot of features that you wil ...
  • html代碼 <div>測試文本</div>js:div.innerHTMLjQuery:div.html() ...
  • 1.定義類 2.類聲明 3.變數提升 4.類表達式 匿名的 命名的 5.原型方法 6.靜態方法 7.類繼承 8.Species 9.super 關鍵字可以用來調用其父類的構造器或者類方法 上面代碼首先用class定義了一個“類”,可以看到裡面有一個constructor方法,這就是構造方法,而thi ...
  • 最後的效果圖如下: ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...