How To Use Jquery From Views On Rails 5.1.3 + Webpacker
Solution 1:
- Install jQuery /bin/yarn add jquery
- open - config/webpack/shared.js, and add/overwrite with this code:- module: { rules: sync(join(loadersDir, '*.js')).map(loader =>require(loader)), noParse: function(content) { return/jquery/.test(content); } }, plugins: [ new webpack.EnvironmentPlugin(JSON.parse(JSON.stringify(env))), newExtractTextPlugin(env.NODE_ENV === 'production' ? '[name]-[hash].css' : '[name].css'), newManifestPlugin({ publicPath: output.publicPath, writeToFileEmit: true }), new webpack.ProvidePlugin({ $: "jquery", jQuery: "jquery", "window.jQuery": 'jquery', }), ], resolve: { extensions: settings.extensions, modules: [ resolve(settings.source_path), 'node_modules' ], alias: { jquery: 'jquery/dist/jquery.slim.js', } },- you might want full jQuery, instead jQuery slim 
- import jQuery - global.$ = require('jquery')into any js file on- app/javascripts/packs
Now you can use it
$(document).ready(function() {
  //
});
Solution 2:
First things first. You cannot transpile es6 in erb templates within script tags with webpacker.
Since introduction of assets pipeline in rails the general idea is to deliver bundles of multiple javascript files. Prior to webpacker by defining sprockets manifests and now with packs. This allows to save http requests for the js assets files. The browser loads only one file with all of the javascript on the first http request to the app and caches it for further page requests.
Thus you can define separate js files for the parts of your application and import the all in the application.js pack. Only pack files can be inlcuded via a javascript_include_tag. You must also import jquery in each imported es6 module, because es6 modules have their own variable scope. (just check the transpiled output in chrome dev tools)
However now, you can`t just call addClass on body, because you only want it to happen on the login page. One way to solve is setting a separate class (e.g ".login") within the erb template and use it as a selector.
//app/javascript/packs/application.jsimport'startpage'import'login'//app/javascript/src/login/index.jsimport $ from'jquery'
$('.login .content').addClass("faded");
If faded really has to be added on the body (which is not in the template) you can either try select it via parent matcher from the ".login" class or somehow introduce a variable in the rails layout which is set from within an erb template, in order to add controller specific marker for the layout.
Ofc you can also deliver a separate js file per page, if you think that this does not produce to many http requests and the speed is good enough for your users. Just make them all separate packfiles within packs folder.
Post a Comment for "How To Use Jquery From Views On Rails 5.1.3 + Webpacker"