Ошибка рендеринга списка с Pug и ExpressJS - PullRequest
0 голосов
/ 15 ноября 2018

Здравствуйте. Я довольно новичок в Node, express и pug. Я пытаюсь отобразить объект в представлении и получаю ошибку pug. Или, по крайней мере, я думаю, что это ошибка pug.Я использую pugcli, и когда он пытается отобразить html, я получаю сообщение об ошибке.

Ошибка pugcli отображается на терминале как:

Невозможно прочитать свойство 'length' изundefined

Это странно, потому что, когда я пытаюсь просмотреть его в браузере, даже если pug cli показывает ошибку, браузер показывает список, но все элементы <li> пусты.

Я хочу, чтобы <li> отображал идентификатор объекта, имя и возраст

Я понимаю, что в pug для рендеринга объекта вы должны выполнять итерацию по нему с помощью некоторого цикла for.Я написал это в файле мопса, но объекты не отображаются.

Буду признателен за помощь в том, что мне не хватает в коде или если я каким-то образом полностью испортил код?

Моя настройка:

bin/www
public
   javascripts
   stylesheets
routes
   index.js
views
   index.pug
   layout.pug
   ...
app.js

Мой index.pug:

extends layout
block content
  h1= title
  p Welcome to #{appHeading}
  div
    ul
      for user, i in users
        li= users.name +" - "+ users.id
      li=number

Это мой index.js:

var express = require('express');
var router = express.Router();
var users = [
  {
    id: 0,
    name: 'Glenn',
    age: 40
  },
  {
    id: 1,
    name: 'Jeff',
    age: 37
  },
  {
    id: 2,
    name: 'Sara',
    age: 22
  },
  {
    id: 3,
    name: 'Bill',
    age: 41
  },
  {
    id: 4,
    name: 'Mary',
    age: 29
  },

];
var appHeading = 'my object render app ' 
var number = 42;
/* GET home page. */
router.get('/', function(req, res, next) {

  //res.json(users);
  //res.send('Is this working?')
  res.render('index', { 
    title: 'This is my app to render objects in pug',
    users,
    number,
    appHeading
  });
});
module.exports = router;

, а My app.js:

const createError = require('http-errors');
const express = require('express');
const path = require('path');
const cookieParser = require('cookie-parser');
const logger = require('morgan');
const bodyParser = require('body-parser');

const indexRouter = require('./routes/index.js');
const usersRouter = require('./routes/users.js');

const app = express();

/*const logging = function(req, res, next){
  console.log('Logging....')
  next();
}
*/
// view engine setup
app.set('views', path.join(__dirname, 'views'));
app.set('view engine', 'pug');

app.use(logger('dev'));
//Body Parser middleware
app.use(bodyParser.json());
app.use(bodyParser.urlencoded({extended : false}));
//app.use(express.json());
//app.use(express.urlencoded({ extended: false }));
app.use(cookieParser());
app.use(express.static(path.join(__dirname, 'public')));
//app.use(logging);
app.use('/', indexRouter);
app.use('/users', usersRouter);

// catch 404 and forward to error handler
app.use(function(req, res, next) {
  next(createError(404));
});

// error handler
app.use(function(err, req, res, next) {
  // set locals, only providing error in development
  res.locals.message = err.message;
  res.locals.error = req.app.get('env') === 'development' ? err : {};

  // render the error page
  res.status(err.status || 500);
  res.render('error');
});


app.listen(port=3000 , function(){
  console.log('Server started on port '+ port);
})
module.exports = app;

1 Ответ

0 голосов
/ 15 ноября 2018

В конце концов, это была опечатка:

extends layout
block content
  h1= title
  p Welcome to #{appHeading}
  div
    ul
      for user, i in users
        li= user.name +" - "+ user.id
      li=number

Это сработает.Вы получили доступ к users (массив), а не к user (повторяющийся объект).Я попробовал код на моей машине и работает просто отлично.

...