I got this google drive link from somewhere for this book - https://drive.google.com/file/d/0B3XGoURu-QZEbjhhTnJibExWQlU/edit
Quick Response
Tuesday, July 28, 2015
Friday, July 24, 2015
OKHTTP S3 FIle upload via Signed URL
Here is the sample code in java to upload a file to S3 via OK HTTP client. We will need two dependencies -
- okhttp-2.4.0.jar
- okio-1.4.0.jar
Other than this we will need this piece of code to upload the file -
package okhttpfileupload;
import java.io.File;
import java.io.IOException;
import com.squareup.okhttp.MediaType;
import com.squareup.okhttp.OkHttpClient;
import com.squareup.okhttp.Request;
import com.squareup.okhttp.RequestBody;
import com.squareup.okhttp.Response;
public class Upload {
final OkHttpClient client = new OkHttpClient();
final String ENDPOINT = "https://bucket.s3-region.amazonaws.com/filename.jpg?AWSAccessKeyId=ACCESSKEYHERE&Content-Type=image%2Fjpg&Expires=1437757726&Signature=SIGNATUREHERE&x-amz-acl=public-read";
String imagePath = "/home/devendra/Desktop/pokemon.jpg";
public static void main(String[] args) throws IOException {
new Upload().uploadFile();
}
private void uploadFile() throws IOException {
File file = new File(imagePath);
Request request = new Request.Builder()
.header("Content-Type", "image/jpg")
.url(ENDPOINT)
.put(RequestBody.create(MediaType.parse("image/jpg"), file))
.build();
System.out.println("Upload started.");
Response response = client.newCall(request).execute();
System.out.println("Request complete.");
if (!response.isSuccessful()) throw new IOException("Unexpected code " + response);
System.out.println(response.body().string());
}
}
All you have to do is change the imagePath and ENDPOINT.
Happy Coding!
Saturday, February 28, 2015
Define Proxies in GRUNT to get rid of CORS
I had a start to my angularjs project with the awesome GRUNT+YEOMAN+NPM combo and it was a great going so far and I was enjoying everything till I had to introduce HTTP server calls to fetch data from my backend server :). But when I started integrating the apis, I got CORS errors in my browser console (Cross origin requests not allowed) :(.
Googling the cause I got to know that somehow I would need to proxy my server calls via grunt server so as to get the response. I started and got the fix after these steps. Once I was okay with the setup, I thought of sharing my experience :).
In order to configure the Gruntfile.js so as to enable the Server to proxy your BACKEND SERVER calls follow the below steps:
#1. Get grunt-connect-proxy installed in your project using the below command, it will tell the NPM(Node Package Manager) to install the "grunt-connect-proxy" as a developer dependency.
npm install grunt-connect-proxy --save-dev
#2. Now as per the documentation at grunt-connect-proxy you can enable it via adding the below line at somewhere on top of your grunt file (say after the line: module.exports = function (grunt) { // the first line of your grunt file)
grunt.loadNpmTasks('grunt-connect-proxy');
#3. Now goto the "connect config" and add the proxy configuration as below just before the "livereload" configuration so as to proxy your backend urls
connect: {
options: {
port: 9000,// This is your grunt server port.
hostname: 'localhost', // Your machine as host
livereload: 35729 // Port for livereload to connect
},
proxies: [{
context: '/api', // the api pattern you need to proxy(i am going to proxy all the requests that are having a path as /api)
host: 'localhost', // the backend server host ip
port: 8080 // the backend server port
}],
livereload: {
//livereload configuration here.
}
}
#4. Update the middleware configuration in livereload with the below one so as to enable proxies. Note you might be having the middleware configuration written like returning a object definition (eg. return[...]). So backup that and follow the step #5 so as to add your configuration to the middleware configuration updated in this step, otherwise things might not work like in my case, styles and bower dependencies were not getting resolved.
connect: {
options: {
port: 9000,// This is your grunt server port.
hostname: 'localhost', // Your machine as host
livereload: 35729 // Port for livereload to connect
},
proxies: [{
context: '/api', // the api pattern you need to proxy(i am going to proxy all the requests that are having a path as /api)
host: 'localhost', // the backend server host ip
port: 8080 // the backend server port
}],
livereload: {
options: {
open: true,
base: [
'.tmp',
'<%= yeoman.app %>'
],
middleware: function (connect, options) {
var middlewares = [];
if (!Array.isArray(options.base)) {
options.base = [options.base];
}
// Setup the proxy
middlewares.push(require('grunt-connect-proxy/lib/utils').proxyRequest);
// Serve static files
options.base.forEach(function(base) {
middlewares.push(connect.static(base));
});
return middlewares;
}
}
}
}
#5. In my case i was having my middleware configuration as returning an object definition like below:
middleware: function (connect) {
return [
connect.static('.tmp'),
connect().use(
'/bower_components',
connect.static('./bower_components')
),
connect().use(
'/app/styles',
connect.static('./app/styles')
),
connect.static(appConfig.app)
];
}
In order to make this configurations to be there in my new middleware configuration, I inserted the below lines in my new middleware configuration. I am simply pushing my configurations into the "middlewares" array created in step #4 so as to make my things work.
middlewares.push(connect.static('.tmp'));
middlewares.push(connect().use(
'/bower_components',
connect.static('./bower_components')
));
middlewares.push(connect().use(
'/app/styles',
connect.static('./app/styles')
));
middlewares.push(connect.static(appConfig.app));
I inserted these lines just before the "return middlewares;" statement in step #4.
#6. And finally just add the 'configureProxies:server' statement just before the "'autoprefixer:server'," statement like below in the 'SERVE' task
grunt.registerTask('serve', 'Compile then start a connect web server', function (target) {
if (target === 'dist') {
return grunt.task.run(['build', 'connect:dist:keepalive']);
}
grunt.task.run([
'clean:server',
'wiredep',
'concurrent:server',
'configureProxies:server',
'autoprefixer:server',
'connect:livereload',
'watch'
]);
#7. You are all set :). Just do- 'grunt serve' and see the magic.
and yes to have a cross check if all izz well just have a look at your console that your server should say:
Running "configureProxies:server" (configureProxies) task
Proxy created for: /api to localhost:8080
Thanks,
Happy Coding!
Googling the cause I got to know that somehow I would need to proxy my server calls via grunt server so as to get the response. I started and got the fix after these steps. Once I was okay with the setup, I thought of sharing my experience :).
In order to configure the Gruntfile.js so as to enable the Server to proxy your BACKEND SERVER calls follow the below steps:
#1. Get grunt-connect-proxy installed in your project using the below command, it will tell the NPM(Node Package Manager) to install the "grunt-connect-proxy" as a developer dependency.
npm install grunt-connect-proxy --save-dev
#2. Now as per the documentation at grunt-connect-proxy you can enable it via adding the below line at somewhere on top of your grunt file (say after the line: module.exports = function (grunt) { // the first line of your grunt file)
grunt.loadNpmTasks('grunt-connect-proxy');
#3. Now goto the "connect config" and add the proxy configuration as below just before the "livereload" configuration so as to proxy your backend urls
connect: {
options: {
port: 9000,// This is your grunt server port.
hostname: 'localhost', // Your machine as host
livereload: 35729 // Port for livereload to connect
},
proxies: [{
context: '/api', // the api pattern you need to proxy(i am going to proxy all the requests that are having a path as /api)
host: 'localhost', // the backend server host ip
port: 8080 // the backend server port
}],
livereload: {
//livereload configuration here.
}
}
#4. Update the middleware configuration in livereload with the below one so as to enable proxies. Note you might be having the middleware configuration written like returning a object definition (eg. return[...]). So backup that and follow the step #5 so as to add your configuration to the middleware configuration updated in this step, otherwise things might not work like in my case, styles and bower dependencies were not getting resolved.
connect: {
options: {
port: 9000,// This is your grunt server port.
hostname: 'localhost', // Your machine as host
livereload: 35729 // Port for livereload to connect
},
proxies: [{
context: '/api', // the api pattern you need to proxy(i am going to proxy all the requests that are having a path as /api)
host: 'localhost', // the backend server host ip
port: 8080 // the backend server port
}],
livereload: {
options: {
open: true,
base: [
'.tmp',
'<%= yeoman.app %>'
],
middleware: function (connect, options) {
var middlewares = [];
if (!Array.isArray(options.base)) {
options.base = [options.base];
}
// Setup the proxy
middlewares.push(require('grunt-connect-proxy/lib/utils').proxyRequest);
// Serve static files
options.base.forEach(function(base) {
middlewares.push(connect.static(base));
});
return middlewares;
}
}
}
}
#5. In my case i was having my middleware configuration as returning an object definition like below:
middleware: function (connect) {
return [
connect.static('.tmp'),
connect().use(
'/bower_components',
connect.static('./bower_components')
),
connect().use(
'/app/styles',
connect.static('./app/styles')
),
connect.static(appConfig.app)
];
}
In order to make this configurations to be there in my new middleware configuration, I inserted the below lines in my new middleware configuration. I am simply pushing my configurations into the "middlewares" array created in step #4 so as to make my things work.
middlewares.push(connect.static('.tmp'));
middlewares.push(connect().use(
'/bower_components',
connect.static('./bower_components')
));
middlewares.push(connect().use(
'/app/styles',
connect.static('./app/styles')
));
middlewares.push(connect.static(appConfig.app));
I inserted these lines just before the "return middlewares;" statement in step #4.
#6. And finally just add the 'configureProxies:server' statement just before the "'autoprefixer:server'," statement like below in the 'SERVE' task
grunt.registerTask('serve', 'Compile then start a connect web server', function (target) {
if (target === 'dist') {
return grunt.task.run(['build', 'connect:dist:keepalive']);
}
grunt.task.run([
'clean:server',
'wiredep',
'concurrent:server',
'configureProxies:server',
'autoprefixer:server',
'connect:livereload',
'watch'
]);
#7. You are all set :). Just do- 'grunt serve' and see the magic.
and yes to have a cross check if all izz well just have a look at your console that your server should say:
Running "configureProxies:server" (configureProxies) task
Proxy created for: /api to localhost:8080
Thanks,
Happy Coding!
Friday, February 20, 2015
All about nginx here
An awesome page to have all about nginx: https://calomel.org/nginx.html
Tuesday, January 20, 2015
Jquery trim form fields before submit/validate
Hi everyone here is a snippet that will help you in trimming the input fields before they get validated and submitted any further.
$("#mySignupForm").submit(function() {
$(this).find('input:text').each(function(){
$(this).val($.trim($(this).val()));
});
});
- Happy Coding
$("#mySignupForm").submit(function() {
$(this).find('input:text').each(function(){
$(this).val($.trim($(this).val()));
});
});
- Happy Coding
Subscribe to:
Comments (Atom)