Skip to content Skip to sidebar Skip to footer

How Can I Render Dynamic Html In Component?

I have the following Ember handlebar template and I want to render it to DOM dynamically including with the onclick event listener. How to do it in EmberJS? hello.js export default

Solution 1:

You should have something more like this:

hello.js

exportdefaultEmber.Component.extend({
   showMessage:false,
   actions: {
        handleOpenUrl() {
            //open url code
        }
    }
});

hello.hbs

{{#if showMessage}}
   <p>Hello World!</p>
   <a {{action "handleOpenUrl"}}>Learn More</a>
{{/if}}

you then toggle showMessage to hide or show your HTML. Your action declaration is also wrong (I've corrected above), see https://guides.emberjs.com/release/templates/actions/

you then consume the component in your main route:

{{hello showMessage=true}}

If you want to render different HTML then you'll need to use yield:

{{#if showMessage}}
   {{yield}}
{{/if}}

this will allow you to consume your component this way:

{{#hello showMessage=true}}
   <p>Hello World!</p>
   <a {{action "handleOpenUrl"}}>Learn More</a>
{{/hello}}

Your actionnow doesn't live in the component. You'll need the action to be in controller now. TBH I don't see the point in using a component if you want to do this. Just use a standard {{#if}}

It seems that your just trying ot reuse the onclick action. If this is the case then a mixin or a service is the way to go not a component.

Solution 2:

First your question is wrong: You don't ask if you can render dynamic HTML but if you can render dynamic handlebars! Short answer: no.

Long answer:

Your primary misunderstanding is probably that you think ember is at some point rendering handlebars strings in the browser. It is not! Ember compiles the handlebars to glimmer VM byte code during compile time. The handlebars compiler or the handlebars template will never be sent to the browser. So there is nothing to parse handlebars.

What you want is probably easily achievable but this is a classic X/Y problem situation.

Also be aware that rendering HTML (which is possible) is a security risk. I would recommend you to ask a new question about how to do what you actually want, without focusing on a specific way to solve your problem.

Post a Comment for "How Can I Render Dynamic Html In Component?"