답변:
이것은 블록 도우미로 '속임수'를 사용하여 가능합니다. 이것은 아마도 핸들 바를 개발 한 사람들의 이념에 위배됩니다.
Handlebars.registerHelper('ifCond', function(v1, v2, options) {
if(v1 === v2) {
return options.fn(this);
}
return options.inverse(this);
});
그런 다음 템플릿에서 도우미를 호출 할 수 있습니다.
{{#ifCond v1 v2}}
{{v1}} is equal to {{v2}}
{{else}}
{{v1}} is not equal to {{v2}}
{{/ifCond}}
registerBoundHelper
Handlebars 구문을 처리 할 수 없습니다. 해결 방법은 다음과 같이 사용자 정의보기를 작성하는 것입니다. stackoverflow.com/questions/18005111/…
솔루션을 한 단계 더 발전시킵니다. 비교 연산자가 추가됩니다.
Handlebars.registerHelper('ifCond', function (v1, operator, v2, options) {
switch (operator) {
case '==':
return (v1 == v2) ? options.fn(this) : options.inverse(this);
case '===':
return (v1 === v2) ? options.fn(this) : options.inverse(this);
case '!=':
return (v1 != v2) ? options.fn(this) : options.inverse(this);
case '!==':
return (v1 !== v2) ? options.fn(this) : options.inverse(this);
case '<':
return (v1 < v2) ? options.fn(this) : options.inverse(this);
case '<=':
return (v1 <= v2) ? options.fn(this) : options.inverse(this);
case '>':
return (v1 > v2) ? options.fn(this) : options.inverse(this);
case '>=':
return (v1 >= v2) ? options.fn(this) : options.inverse(this);
case '&&':
return (v1 && v2) ? options.fn(this) : options.inverse(this);
case '||':
return (v1 || v2) ? options.fn(this) : options.inverse(this);
default:
return options.inverse(this);
}
});
다음과 같은 템플릿에서 사용하십시오.
{{#ifCond var1 '==' var2}}
커피 스크립트 버전
Handlebars.registerHelper 'ifCond', (v1, operator, v2, options) ->
switch operator
when '==', '===', 'is'
return if v1 is v2 then options.fn this else options.inverse this
when '!=', '!=='
return if v1 != v2 then options.fn this else options.inverse this
when '<'
return if v1 < v2 then options.fn this else options.inverse this
when '<='
return if v1 <= v2 then options.fn this else options.inverse this
when '>'
return if v1 > v2 then options.fn this else options.inverse this
when '>='
return if v1 >= v2 then options.fn this else options.inverse this
when '&&', 'and'
return if v1 and v2 then options.fn this else options.inverse this
when '||', 'or'
return if v1 or v2 then options.fn this else options.inverse this
else
return options.inverse this
'||'
및 에 대해 잊지 마십시오 '&&'
. 나는이 경우를 추가하고 매우 유용합니다.
v1 = Ember.Handlebars.get(this, v1, options)
v2 = Ember.Handlebars.get(this, v2, options)
핸들은 중첩 작업을 지원합니다. 논리를 조금 다르게 작성하면 유연성이 향상되고 코드가 깨끗해집니다.
{{#if (or section1 section2)}}
.. content
{{/if}}
실제로 모든 종류의 논리를 추가 할 수 있습니다.
{{#if (or
(eq section1 "foo")
(ne section2 "bar"))}}
.. content
{{/if}}
다음 도우미를 등록하십시오.
Handlebars.registerHelper({
eq: (v1, v2) => v1 === v2,
ne: (v1, v2) => v1 !== v2,
lt: (v1, v2) => v1 < v2,
gt: (v1, v2) => v1 > v2,
lte: (v1, v2) => v1 <= v2,
gte: (v1, v2) => v1 >= v2,
and() {
return Array.prototype.every.call(arguments, Boolean);
},
or() {
return Array.prototype.slice.call(arguments, 0, -1).some(Boolean);
}
});
options
실행이 없으면 if
테스트 방법 을 유지하는 것이 좋습니다 . 감사!
and
와 or
도우미는 두 가지 매개 변수로만 작동하며 이는 원하는 것이 아닙니다. 나는 둘 이상의 매개 변수를 지원하기 위해 도우미 and
와 or
도우미를 모두 재 작업했습니다 . 이 단일 라이너를 and
: return Array.prototype.slice.call(arguments, 0, arguments.length - 1).every(Boolean);
에 사용하고이 단일 라이너를 or
:에 사용하십시오 return Array.prototype.slice.call(arguments, 0, arguments.length - 1).some(Boolean);
.
가장자리에 사는 당신을 위해 이것을 한 단계 끌어 올리십시오.
요점 : https://gist.github.com/akhoury/9118682 데모 : 아래 코드 스 니펫
{{#xif EXPRESSION}} {{else}} {{/xif}}
encodeURIComponent(property)
template( {name: 'Sam', age: '20' } )
, 통지 age
A는 string
내가 데모를 할 수 너무 들어, parseInt()
이 게시물의 뒷부분<p>
{{#xif " name == 'Sam' && age === '12' " }}
BOOM
{{else}}
BAMM
{{/xif}}
</p>
<p>
BOOM
</p>
Handlebars.registerHelper("xif", function (expression, options) {
return Handlebars.helpers["x"].apply(this, [expression, options]) ? options.fn(this) : options.inverse(this);
});
{{x EXPRESSION}}
parseInt(property)
template( {name: 'Sam', age: '20' } )
, age
A는 string
데모 목적을 위해, 그것은 할 수있는 일 ..<p>Url: {{x "'hi' + name + ', ' + window.location.href + ' <---- this is your href,' + ' your Age is:' + parseInt(this.age, 10)"}}</p>
<p>Url: hi Sam, http://example.com <---- this is your href, your Age is: 20</p>
구문을 확장하고 명확성을 위해 거의 각 줄에 주석을 달았 기 때문에 약간 커 보입니다.
Handlebars.registerHelper("x", function(expression, options) {
var result;
// you can change the context, or merge it with options.data, options.hash
var context = this;
// yup, i use 'with' here to expose the context's properties as block variables
// you don't need to do {{x 'this.age + 2'}}
// but you can also do {{x 'age + 2'}}
// HOWEVER including an UNINITIALIZED var in a expression will return undefined as the result.
with(context) {
result = (function() {
try {
return eval(expression);
} catch (e) {
console.warn('•Expression: {{x \'' + expression + '\'}}\n•JS-Error: ', e, '\n•Context: ', context);
}
}).call(context); // to make eval's lexical this=context
}
return result;
});
Handlebars.registerHelper("xif", function(expression, options) {
return Handlebars.helpers["x"].apply(this, [expression, options]) ? options.fn(this) : options.inverse(this);
});
var data = [{
firstName: 'Joan',
age: '21',
email: 'joan@aaa.bbb'
}, {
firstName: 'Sam',
age: '18',
email: 'sam@aaa.bbb'
}, {
firstName: 'Perter',
lastName: 'Smith',
age: '25',
email: 'joseph@aaa.bbb'
}];
var source = $("#template").html();
var template = Handlebars.compile(source);
$("#main").html(template(data));
h1 {
font-size: large;
}
.content {
padding: 10px;
}
.person {
padding: 5px;
margin: 5px;
border: 1px solid grey;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="http://cdnjs.cloudflare.com/ajax/libs/handlebars.js/1.0.0/handlebars.min.js"></script>
<script id="template" type="text/x-handlebars-template">
<div class="content">
{{#each this}}
<div class="person">
<h1>{{x "'Hi ' + firstName"}}, {{x 'lastName'}}</h1>
<div>{{x '"you were born in " + ((new Date()).getFullYear() - parseInt(this.age, 10)) '}}</div>
{{#xif 'parseInt(age) >= 21'}} login here:
<a href="http://foo.bar?email={{x 'encodeURIComponent(email)'}}">
http://foo.bar?email={{x 'encodeURIComponent(email)'}}
</a>
{{else}} Please go back when you grow up. {{/xif}}
</div>
{{/each}}
</div>
</script>
<div id="main"></div>
상위 범위에 액세스하려면이 범위가 약간 다릅니다. 표현식은 모든 인수의 조인입니다. 사용법 : 컨텍스트 데이터는 다음과 같습니다.
// data
{name: 'Sam', age: '20', address: { city: 'yomomaz' } }
// in template
// notice how the expression wrap all the string with quotes, and even the variables
// as they will become strings by the time they hit the helper
// play with it, you will immediately see the errored expressions and figure it out
{{#with address}}
{{z '"hi " + "' ../this.name '" + " you live with " + "' city '"' }}
{{/with}}
Handlebars.registerHelper("z", function () {
var options = arguments[arguments.length - 1]
delete arguments[arguments.length - 1];
return Handlebars.helpers["x"].apply(this, [Array.prototype.slice.call(arguments, 0).join(''), options]);
});
Handlebars.registerHelper("zif", function () {
var options = arguments[arguments.length - 1]
delete arguments[arguments.length - 1];
return Handlebars.helpers["x"].apply(this, [Array.prototype.slice.call(arguments, 0).join(''), options]) ? options.fn(this) : options.inverse(this);
});
{{z ...}}
도우미
eval(expression);
은 이것을 대체하려고 시도 합니다 : eval('(function(){try{return ' + expression + ';}catch(e){}})();');
-이것이 추악하다는 것을 알고 있지만 안전한 방법을 생각할 수는 없습니다-이것이 실행하기에 "빠른"것은 아닙니다. 거대한 반복.
도우미 함수를 작성하지 않고이 작업을 수행하는 간단한 방법이 있습니다. 템플릿 내에서 완전히 수행 할 수 있습니다.
{{#if cond1}}
{{#if con2}}
<div> and condition completed</div>
{{/if}}
{{else}}
<div> both conditions weren't true</div>
{{/if}}
편집 : 반대로 당신은 이것을하거나 할 수 있습니다 :
{{#if cond1}}
<div> or condition completed</div>
{{else}}
{{#if cond2}}
<div> or condition completed</div>
{{else}}
<div> neither of the conditions were true</div>
{{/if}}
{{/if}}
편집 / 참고 : 핸들 바의 웹 사이트 : handlebarsjs.com에서 허위 값은 다음과 같습니다.
if 도우미를 사용하여 조건부로 블록을 렌더링 할 수 있습니다. 인수가 false, undefined, null, ""또는 [] ( "거짓"값)를 반환하면 'cond'(cond1 또는 cond2와 같은)는 true로 계산되지 않습니다.
여기에 게시 된 모든 답변의 한 가지 문제는 바인딩 된 속성, 즉 속성이 변경 될 때 if 조건이 다시 평가되지 않는다는 것입니다. 바인딩을 지원하는 도우미의 약간 더 고급 버전이 있습니다. Ember 소스 의 바인드 기능을 사용하는데, 이는 일반적인 Ember #if
도우미 를 구현하는 데에도 사용됩니다 .
이것은 왼쪽의 단일 바인딩 속성으로 제한되며 오른쪽의 상수와 비교할 때 가장 실용적인 목적으로 충분하다고 생각합니다. 간단한 비교보다 더 진보 된 것이 필요하다면, 계산 된 속성을 선언하고 #if
대신 일반 도우미를 사용하는 것이 좋습니다.
Ember.Handlebars.registerHelper('ifeq', function(a, b, options) {
return Ember.Handlebars.bind.call(options.contexts[0], a, options, true, function(result) {
return result === b;
});
});
다음과 같이 사용할 수 있습니다.
{{#ifeq obj.some.property "something"}}
They are equal!
{{/ifeq}}
기본적으로 모든 이항 연산자와 함께 작동하는 개선 된 솔루션 (최소한 숫자, 문자열은 eval과 잘 작동하지 않습니다.
Handlebars.registerHelper("ifCond",function(v1,operator,v2,options) {
switch (operator)
{
case "==":
return (v1==v2)?options.fn(this):options.inverse(this);
case "!=":
return (v1!=v2)?options.fn(this):options.inverse(this);
case "===":
return (v1===v2)?options.fn(this):options.inverse(this);
case "!==":
return (v1!==v2)?options.fn(this):options.inverse(this);
case "&&":
return (v1&&v2)?options.fn(this):options.inverse(this);
case "||":
return (v1||v2)?options.fn(this):options.inverse(this);
case "<":
return (v1<v2)?options.fn(this):options.inverse(this);
case "<=":
return (v1<=v2)?options.fn(this):options.inverse(this);
case ">":
return (v1>v2)?options.fn(this):options.inverse(this);
case ">=":
return (v1>=v2)?options.fn(this):options.inverse(this);
default:
return eval(""+v1+operator+v2)?options.fn(this):options.inverse(this);
}
});
여러 조건을 확인하려는 경우 해결책이 있습니다.
/* Handler to check multiple conditions
*/
Handlebars.registerHelper('checkIf', function (v1,o1,v2,mainOperator,v3,o2,v4,options) {
var operators = {
'==': function(a, b){ return a==b},
'===': function(a, b){ return a===b},
'!=': function(a, b){ return a!=b},
'!==': function(a, b){ return a!==b},
'<': function(a, b){ return a<b},
'<=': function(a, b){ return a<=b},
'>': function(a, b){ return a>b},
'>=': function(a, b){ return a>=b},
'&&': function(a, b){ return a&&b},
'||': function(a, b){ return a||b},
}
var a1 = operators[o1](v1,v2);
var a2 = operators[o2](v3,v4);
var isTrue = operators[mainOperator](a1, a2);
return isTrue ? options.fn(this) : options.inverse(this);
});
용법:
/* if(list.length>0 && public){}*/
{{#checkIf list.length '>' 0 '&&' public '==' true}} <p>condition satisfied</p>{{/checkIf}}
내가 사용하는 블록 도우미에 대한 링크는 다음과 같습니다 : 비교 블록 도우미 . 모든 표준 연산자를 지원하며 아래와 같이 코드를 작성할 수 있습니다. 정말 편리합니다.
{{#compare Database.Tables.Count ">" 5}}
There are more than 5 tables
{{/compare}}
Jim의 대답과 비슷하지만 약간의 창의력을 사용하여 다음과 같이 할 수도 있습니다.
Handlebars.registerHelper( "compare", function( v1, op, v2, options ) {
var c = {
"eq": function( v1, v2 ) {
return v1 == v2;
},
"neq": function( v1, v2 ) {
return v1 != v2;
},
...
}
if( Object.prototype.hasOwnProperty.call( c, op ) ) {
return c[ op ].call( this, v1, v2 ) ? options.fn( this ) : options.inverse( this );
}
return options.inverse( this );
} );
그런 다음 사용하려면 다음과 같은 것을 얻습니다.
{{#compare numberone "eq" numbretwo}}
do something
{{else}}
do something else
{{/compare}}
더 나은 성능을 위해 객체를 함수 밖으로 옮기는 것이 좋습니다. 그렇지 않으면 "and"및 "or"를 포함하여 원하는 비교 함수를 추가 할 수 있습니다.
다른 대안은에서 함수 이름을 사용하는 것입니다 #if
. 는 #if
매개 변수가 함수 인 경우 감지하고 그 다음 경우 그것을 전화 truthyness 검사에 대한 반환을 사용합니다. myFunction 아래에서 현재 컨텍스트를로 가져옵니다 this
.
{{#if myFunction}}
I'm Happy!
{{/if}}
불행히도 이러한 솔루션 중 어느 것도 "OR"연산자 "cond1 || cond2"의 문제를 해결하지 못합니다.
"^"(또는)를 사용하고 그렇지 않으면 cond2가 true인지 확인하십시오.
{{#if cond1}} 작업 수행 {{^}} {{#if cond2}} 작업 수행 {{/ if}} {{/ if}}
DRY 규칙을 위반합니다. 왜 부분적으로 덜 지저분하지 않게합니까?
{{#if cond1}}
{{> subTemplate}}
{{^}}
{{#if cond2}}
{{> subTemplate}}
{{/if}}
{{/if}}
템플릿 내에서 수행 할 수있는 다양한 비교가 많지만 비교적 적은 수의 비교 (또는이 페이지로 이동 한 비교)에 대해 도우미를 만들고 싶은 이유를 이해할 수 있습니다. 첫 번째 장소), 뷰 렌더링 함수 호출에서 다음과 같이 새 핸들 바 변수를 정의하는 것이 더 쉬울 것입니다.
렌더시 핸들 바로 전달 :
var context= {
'section1' : section1,
'section2' : section2,
'section1or2' : (section1)||(section2)
};
핸들 바 템플릿 내에서 :
{{#if section1or2}}
.. content
{{/if}}
나는 이것을 단순화하기 위해 언급했으며, 또한 핸들 바의 논리가없는 특성을 계속 준수하면서 빠르고 도움이 될 수있는 대답이기 때문에 언급했습니다.
아래 명령을 실행하여 Ember Truth Helpers addon을 설치 하십시오
ember 설치 ember-truth-helpers
대부분의 논리 연산자 (eq, not-eq, not, and, or, gt, gte, lt, lte, xor)를 사용할 수 있습니다.
{{#if (or section1 section2)}}
...content
{{/if}}
더 나아 가기 위해 하위 표현식을 포함시킬 수도 있습니다.
{{#if (or (eq section1 "section1") (eq section2 "section2") ) }}
...content
{{/if}}
삼항 헬퍼를위한 또 다른 비뚤어진 해결책 :
'?:' ( condition, first, second ) {
return condition ? first : second;
}
<span>{{?: fooExists 'found it' 'nope, sorry'}}</span>
또는 간단한 통합 도우미 :
'??' ( first, second ) {
return first ? first : second;
}
<span>{{?? foo bar}}</span>
이러한 문자는 핸들 바 마크 업에서 특별한 의미가 없으므로 도우미 이름으로 자유롭게 사용할 수 있습니다.
HandleScripts에 유용한 유용한 도우미가 많은 CoffeeScript로 만든 npm 패키지를 찾았습니다. 다음 URL에서 설명서를 살펴보십시오.
https://npmjs.org/package/handlebars-helpers
wget http://registry.npmjs.org/handlebars-helpers/-/handlebars-helpers-0.2.6.tgz
를 다운로드하여 패키지의 내용을 볼 수 있습니다 .
당신은 {{#is number 5}}
또는 같은 일을 할 수있을 것입니다{{formatDate date "%m/%d/%Y"}}
하나 또는 다른 요소가 있는지 확인하려는 경우이 사용자 정의 도우미를 사용할 수 있습니다
Handlebars.registerHelper('if_or', function(elem1, elem2, options) {
if (Handlebars.Utils.isEmpty(elem1) && Handlebars.Utils.isEmpty(elem2)) {
return options.inverse(this);
} else {
return options.fn(this);
}
});
이처럼
{{#if_or elem1 elem2}}
{{elem1}} or {{elem2}} are present
{{else}}
not present
{{/if_or}}
함수 반환 값 을 비교하기 위해 "또는"을 가질 수 있어야하는 경우 원하는 결과를 반환하는 다른 속성을 추가하려고합니다.
템플릿은 결국 논리가 없어야합니다!
객체 속성을 비교하는 데 문제가있는 사람들을 위해 도우미 내부 에서이 솔루션을 추가하십시오.
문자열이 다른 문자열과 같은지 확인하는 방법에 대한 Google 검색 에서이 게시물을 보냈습니다.
NodeJS 서버 측에서 HandlebarsJS를 사용하지만 브라우저 버전의 HandlebarsJS를 사용하여 프런트 엔드에서 동일한 템플릿 파일을 사용하여 구문 분석합니다. 이것은 내가 커스텀 헬퍼를 원한다면 그것을 2 개의 별도의 장소에서 정의하거나 문제의 객체에 기능을 할당해야한다는 것을 의미했습니다. 너무 많은 노력 !!
사람들이 잊어 버린 것은 특정 객체에 콧수염 템플릿에서 사용할 수있는 기능을 상속한다는 것입니다. 문자열의 경우 :
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/match
An Array containing the entire match result and any parentheses-captured matched results; null if there were no matches.
이 메소드를 사용하여 일치하는 배열을 찾거나 null
일치하는 항목을 찾지 못할 수 있습니다. HandlebarsJS 설명서 http://handlebarsjs.com/builtin_helpers.html을 보고 있기 때문에 완벽합니다 .
You can use the if helper to conditionally render a block. If its argument returns false, undefined, null, "", 0, or [], Handlebars will not render the block.
그래서...
{{#if your_string.match "what_youre_looking_for"}}
String found :)
{{else}}
No match found :(
{{/if}}
최신 정보:
모든 브라우저에서 테스트 한 후에 는 Firefox에서 작동하지 않습니다 . HandlebarsJS는 다른 인수를 함수 호출에 전달합니다. 즉, String.prototype.match가 호출되면 두 번째 인수 (즉, 위의 문서에 따라 일치 함수 호출에 대한 Regexp 플래그)가 전달되는 것으로 나타납니다. Firefox는 이것을 사용되지 않는 String.prototype.match 사용으로 간주하므로 중단됩니다.
해결 방법은 String JS 객체의 새 기능 프로토 타입을 선언하고 대신 사용하는 것입니다.
if(typeof String.includes !== 'function') {
String.prototype.includes = function(str) {
if(!(str instanceof RegExp))
str = new RegExp((str+'').escapeRegExp(),'g');
return str.test(this);
}
}
이 JS 코드가 포함되어 있는지 확인 하기 전에 당신이 당신의 템플릿에 다음, 당신의 Handlebars.compile () 함수를 실행 ...
{{#your_string}}
{{#if (includes "what_youre_looking_for")}}
String found :)
{{else}}
No match found :(
{{/if}}
{{/your_string}}
여기에 여러 논리 && 및 ||에 대한 바닐라 핸들 바가 있습니다. (또는) :
Handlebars.registerHelper("and",function() {
var args = Array.prototype.slice.call(arguments);
var options = args[args.length-1];
for(var i=0; i<args.length-1; i++){
if( !args[i] ){
return options.inverse(this);
}
}
return options.fn(this);
});
Handlebars.registerHelper("or",function() {
var args = Array.prototype.slice.call(arguments);
var options = args[args.length-1];
for(var i=0; i<args.length-1; i++){
if( args[i] ){
return options.fn(this);
}
}
return options.inverse(this);
}
// Results
// {{#and foo bar sally bob}} yup {{else}} nope {{/and}} // yup
// {{#or foo bar "" sally bob}} yup {{else}} nope {{/or}} // yup
// {{#and foo bar "" sally bob}} yup {{else}} nope {{/and}} // nope
// {{#or "" "" "" "" ""}} yup {{else}} nope {{/or}} // nope
"and"및 "or"를 사용하는 것이 "안전한"지 확실하지 않은 경우 ... "op_and"및 "op_or"와 같은 것으로 변경 될 수 있습니까?
AND / OR에 대한 올바른 솔루션
Handlebars.registerHelper('and', function () {
// Get function args and remove last one (function name)
return Array.prototype.slice.call(arguments, 0, arguments.length - 1).every(Boolean);
});
Handlebars.registerHelper('or', function () {
// Get function args and remove last one (function name)
return Array.prototype.slice.call(arguments, 0, arguments.length - 1).some(Boolean);
});
다음과 같이 전화하십시오
{{#if (or (eq questionType 'STARTTIME') (eq questionType 'ENDTIME') (..) ) }}
BTW : 여기에 주어진 해결책은 정확하지 않으며, 함수 이름 인 마지막 인수를 빼지 않습니다. https://stackoverflow.com/a/31632215/1005607
그의 원래 AND / OR는 전체 인수 목록을 기반으로했습니다.
and: function () {
return Array.prototype.slice.call(arguments).every(Boolean);
},
or: function () {
return Array.prototype.slice.call(arguments).some(Boolean);
}
누군가 그 대답을 바꿀 수 있습니까? 86 명이 권장하는 답변으로 무언가를 고치려고 한 시간을 낭비했습니다. 수정은 함수 이름 인 마지막 인수 를 필터링하는 것 입니다.Array.prototype.slice.call(arguments, 0, arguments.length - 1)
이 2 개의 가이드에게 다음 A-방법에 시켰 사용자 것은 - 정의 - 사용자 정의 만든 바인딩 - 명령문 경우 및 사용자 정의 바인딩 헬퍼 나는이 게시물에 내 공유 뷰를 조정할 수 있었다 유래 표준 # 대신이 사용하기 if 문. #if를 던지는 것보다 더 안전해야합니다.
그 요점의 맞춤형 바운드 도우미는 뛰어납니다.
<li>
<a href="{{unbound view.varProductSocialBlog}}">
{{#if-equal view.showDiv "true"}}<div>{{/if-equal}}<i class="fa fa-rss-square"></i>{{#if-equal view.showDiv "true"}}</div>{{/if-equal}}
{{#if-equal view.showTitle "true"}}Blog{{/if-equal}}
</a>
</li>
ember cli 프로젝트를 사용하여 ember 애플리케이션을 빌드하고 있습니다.
이 게시물 당시의 현재 설정 :
DEBUG: -------------------------------
DEBUG: Ember : 1.5.1
DEBUG: Ember Data : 1.0.0-beta.7+canary.b45e23ba
DEBUG: Handlebars : 1.3.0
DEBUG: jQuery : 2.1.1
DEBUG: -------------------------------
Ember.js에서는 if 블록 도우미에 인라인 if 도우미 를 사용할 수 있습니다 . ||
논리 연산자 를 대체 할 수 있습니다 ( 예 :
{{#if (if firstCondition firstCondition secondCondition)}}
(firstCondition || (or) secondCondition) === true
{{/if}}
아래와 같이 논리 연산자를 사용하여 간단하게 수행 할 수 있습니다.
{{#if (or(eq firstValue 'String_to_compare_value') (eq secondValue 'String_to_compare_value'))}}business logic goes here{{/if}}
{{#if (and(eq firstValue 'String_to_compare_value') (eq secondValue 'String_to_compare_value'))}}business logic goes here{{/if}}
비즈니스 로직을 작성할 수있는 경우 닫기 전에
ember 1.10 및 ember-cli 2.0에 사용하는 접근 방식이 있습니다.
// app/helpers/js-x.js
export default Ember.HTMLBars.makeBoundHelper(function (params) {
var paramNames = params.slice(1).map(function(val, idx) { return "p" + idx; });
var func = Function.apply(this, paramNames.concat("return " + params[0] + ";"))
return func.apply(params[1] === undefined ? this : params[1], params.slice(1));
});
그런 다음 템플릿에서 다음과 같이 사용할 수 있습니다.
// used as sub-expression
{{#each item in model}}
{{#if (js-x "this.section1 || this.section2" item)}}
{{/if}}
{{/each}}
// used normally
{{js-x "p0 || p1" model.name model.offer.name}}
식에 인수로 전달되는 경우 p0
, p1
, p2
등 및 p0
로도 참조 할 수 있습니다 this
.