Thursday, September 12, 2019

Multipart File upload in java using okHttp and HttpClient

OkHTTP:
There are several ways to upload the file. OKHTTP is a one of a  client to call 
an api to upload file to the server.


public static String uploadfile(String sourceID,String accessToken) {
String fileUploadID = null;
InputStream is = null;
Response response = null;
try {
// String sourceID = projectDetails.getString("sourceID"); //
String test = "this is from text";
is = new FileInputStream("C:\\Users\\lKadariya\\Desktop\\Test
\\DTtest\\TestFile\\original_testcases\\100\\100sample.docx");
byte []content = IOUtils.toByteArray(is);
//byte []content = test.getBytes(StandardCharsets.UTF_8);
String uri = "https://transport-stg.transperfect.com/api/files/upload?
filename=test.docx&targetFolderId="+sourceID;
final MediaType MEDIA_TYPE = MediaType.parse("multipart/form-data");
OkHttpClient client = new OkHttpClient();
RequestBody requestBody = new MultipartBody.Builder()
.setType(MultipartBody.FORM)
.addPart(
Headers.of("Content-Disposition", "form-data;"),
RequestBody.create(MEDIA_TYPE, content)
)
.build();
Request request = new Request.Builder()
.header("Authorization", "Bearer " + accessToken)
.url(uri)
.post(requestBody)
.build();
response = client.newCall(request).execute();
int responseCode = response.code();
if (responseCode != 200) {
System.out.println("uploadfile: Did not receive token. HTTP code: " +
responseCode + " responseBody:"+response.body());
} else {
String taggedResult = response.body().string();
// System.out.println(taggedResult);
Object json = new JSONTokener(taggedResult).nextValue();
JSONObject jobj = null;
if(json instanceof JSONObject){
jobj = new JSONObject(taggedResult) ;
} else if(json instanceof JSONArray){
jobj = (JSONObject)new JSONArray(taggedResult).get(0);
}
Object error = jobj.getString("error");
if (error == "null"){
fileUploadID = (String)jobj.get("id");
}
}
} catch (NoRouteToHostException re) {
System.out.println("uploadfile: unable to route to host."+re);
}catch (IOException ie) {
System.out.println("uploadfile: problem executing HTTP request."+ ie);
}catch (Exception e) {
System.out.println("uploadfile: an error occurred." +e );
} finally {
response.body().close();
try{
if(is !=null)is.close();
}catch (IOException e){
System.out.println("uploadfile: an error occurred." +e );
}
}
return fileUploadID;
}
view raw OKHttp.java hosted with ❤ by GitHub




HTTPCLIENT:
We can also use HTTP Client to write an api client to upload files to server.

public static String uploadDocumentFilehttp(String sourceID,String accessToken,
String partID, String fileName) {
String fileUploadID = null;
try(CloseableHttpClient httpClient = HttpClientBuilder.create().build()) {
byte fileData[] = Files.readAllBytes(Paths.get("C:\\Users\\lKadariya\\Desktop\\Test
\\DTtest\\TestFile\\original_testcases\\100\\100sample.pptx"));
String authorizationValue = "Bearer "+accessToken;
HttpEntity data = MultipartEntityBuilder.create()
.setMode(HttpMultipartMode.BROWSER_COMPATIBLE)
.addBinaryBody("srcUploader",fileData,ContentType.DEFAULT_BINARY,fileName)
.build();
HttpUriRequest request = RequestBuilder.post("https://"+HOST_TRANSPORT+
"/api/files/upload")
.addHeader("Authorization",authorizationValue)
.addHeader("Accept","application/json")
.addParameter("filename",fileName)
.addParameter("targetFolderId",sourceID)
.setEntity(data)
.build();
try(CloseableHttpResponse response = httpClient.execute(request);) {
int code = response.getStatusLine().getStatusCode();
if (code != 200) {
HttpEntity entity = response.getEntity();
ContentType contentType = ContentType.getOrDefault(entity);
Charset charset = contentType.getCharset();
if (charset == null) {
charset = Charset.forName("UTF-8");
}
String errorBody = EntityUtils.toString(entity, charset);
// log.info("uploadfile: Unable to process uploadfile. HTTP code: " + code +
" responseBody:"+errorBody);//
throw new PostEditException("uploadfile: Unable to process uploadfile.
HTTP code:" + code + " responseBody:"+errorBody);
} else {
HttpEntity entity = response.getEntity();
ContentType contentType = ContentType.getOrDefault(entity);
Charset charset = contentType.getCharset();
if (charset == null) {
charset = Charset.forName("UTF-8");
}
String taggedResult = EntityUtils.toString(entity, charset);
Object json = new JSONTokener(taggedResult).nextValue();
JSONObject jobj = null;
if(json instanceof JSONObject){
jobj = (JSONObject)json ;
} else if(json instanceof JSONArray){
jobj = (JSONObject)((JSONArray) json).getJSONObject(0);
}
Object error = jobj.getString("error");
if (error == "null"){
fileUploadID = (String)jobj.get("id");
}
}
}catch (Exception e){
// log.error("uploadfile: an error occurred in http execute." +e );//
throw new PostEditException("uploadfile: an error occurred http execute.", e); }
} catch (NoRouteToHostException re) {
// log.error("uploadfile: unable to route to host."+re);//
throw new PostEditException("uploadfile: unable to route to host.",re);
}catch (IOException ie) {
// log.error("uploadfile: problem executing HTTP request."+ ie);//
throw new PostEditException("uploadfile: problem executing HTTP request.",ie);
}catch (Exception e) {
// log.error("uploadfile: an error occurred." +e );//
throw new PostEditException("uploadfile: an error occurred.", e); }
return fileUploadID;
}
view raw HTTPClient.java hosted with ❤ by GitHub






Saturday, June 22, 2019

Basic spring boot setup and running simple hello world page in Intellij Community Edition Spring boot MVC

1) Install Spring Assistant Plugin for intellij.
2) Create Web project  with Spring Web Starter.
3) add dependency in pom file:
     <dependency>
   <groupId>org.apache.tomcat.embed</groupId>
   <artifactId>tomcat-embed-jasper</artifactId>
   <scope>compile</scope>
</dependency>
<dependency>
   <groupId>javax.servlet</groupId>
   <artifactId>jstl</artifactId>
</dependency>

4) add following in application.properties file in src/main/resources
       spring.mvc.view.prefix: /WEB-INF/jsp/
       spring.mvc.view.suffix: .jsp

5) Create controller class named SpringJava4sController.java


       import org.springframework.stereotype.Controller;
       import org.springframework.ui.Model;
       import org.springframework.web.bind.annotation.*;
       import org.springframework.web.servlet.ModelAndView;

       @RestController       public class SpringJava4sController {

      @RequestMapping(value="/test", method=RequestMethod.GET)
       public ModelAndView showLoginPage(Model model) {
       model.addAttribute("message", "Welcome to Java4s Spring Boot Tutorials");

       return new ModelAndView("welcomePage");
       }
     }


6) Make sure we have class with main as 
     import org.springframework.boot.SpringApplication;
     import org.springframework.boot.autoconfigure.SpringBootApplication;

     @SpringBootApplication     public class DemoApplication {

     public static void main(String[] args) {
      SpringApplication.run(DemoApplication.class, args);
    }


7) create webapp/WEB-INF/jsp folder within src/main
8) place jsp file welcomePage inside jsp as:

    <html  xmlns:th="http://www.thymeleaf.org">
     <body>

   
    ${message}

   
    </body>
   </html>


9) go to browsrer and see localhost:8080/test


 

Monday, June 17, 2019

Java program to calculate subset in o(n) time complexity using ArratList


  1. Brutforce:

      1. for(int i = 0; i < len; i++) {  
      2.             //This loop adds the next character every iteration for the subset to form and add it to the array  
      3.             for(int j = i; j < len; j++) {  
      4.                 arr[temp] = str.substring(i, j+1);  
      5.                 temp++;  
      6.             }  
      7.         }  


Subset can be implemented with the concept of decision tree:


How we can implement decision tree in code is:





CODE in JAVA:



import java.sql.SQLOutput;
import java.util.ArrayList;
public class subset {
static ArrayList<ArrayList<Character>> calculateSubset(String test){
char[] charArray = test.toCharArray();
ArrayList<ArrayList<Character>> alist = new ArrayList<ArrayList<Character>>();
ArrayList<Character> empty = new ArrayList<>();
alist.add(empty);
for(char a:charArray){
ArrayList<ArrayList<Character>> alistTemp = new ArrayList<ArrayList<Character>>();
for(ArrayList<Character> loop :alist){
ArrayList<Character> temp1 = new ArrayList<>();
for(Character ch:loop){
temp1.add(ch);
}
temp1.add(a);
alistTemp.add(temp1);
alistTemp.add(loop);
}
alist = alistTemp;
}
return alist;
}
public static void main(String []args){
String test = "abcde";
ArrayList<ArrayList<Character>> result = calculateSubset(test);
System.out.println(result.size());
System.out.println(result);
}
}

Sunday, June 16, 2019

Java Program to calculate Unrank of permutation

Calculate the unrank of of permutaion:

import java.util.Collection;
import java.util.Collections;
import java.util.LinkedList;
import java.util.List;
import java.util.stream.Collectors;
public class unrank {
public static int factorial(int number){
if (number == 1 || number==0)
return 1;
return number * factorial(number-1);
}
public static String calculateUnrank(String test, int unranknum) {
List<Character> answer = new LinkedList<>();
List<Character> lst = new LinkedList<Character>();
for (char a : test.toCharArray()) {
lst.add(a);
}
Collections.sort(lst);
while (lst.size() != 0) {
int totalPermutation = factorial(lst.size());
int eachblock = totalPermutation / lst.size();
int dividend = unranknum / eachblock;
unranknum = unranknum % eachblock;
char value = lst.get(dividend);
answer.add(Character.valueOf(value));
lst.remove(Character.valueOf(value));
}
return answer.stream().map(String::valueOf).collect(Collectors.joining());
}
public static void main (String args[]){
String test = "SPAIN";
int unranknum = 115;
String result = calculateUnrank(test,unranknum);
System.out.println(result);
}
}


Java program to calculate rank of permutation.

1)  Rank program in java





import java.util.Arrays;
import java.util.LinkedList;
import java.util.List;
public class rank {
public static int factorial(int number){
if (number == 1 || number==0)
return 1;
return number * factorial(number-1);
}
public static int getRank(String test){
char[] chararray = test.toCharArray();
Arrays.sort(chararray);
List<Character> lst = new LinkedList<>();
for (char c :chararray){
lst.add(c);
}
int sum = 0;
int length = chararray.length;
for(char c: test.toCharArray()){
int index = lst.indexOf(c);
sum = sum + (index)* factorial(length-1);
length=length-1;
lst.remove(Character.valueOf(c));
}
return sum;
}
public static void main(String args[]){
String test = "BCA";
int rank = getRank(test);
System.out.println(rank);
}
}

Thursday, June 13, 2019

Java Program to check federal holidays in US using ZonedDateTime API java8

This is the program n=in java where it checks whether the given zoneddatetime is holidays or not.
It uses java8 ZonedDateTime to determine the zoned date and time.


Code to check whether a given date falls on weekend or holidays
public static boolean isHolidays(ZonedDateTime zdt){
Month month = zdt.getMonth();
int date = zdt.getDayOfMonth();
DayOfWeek day = zdt.getDayOfWeek();
// check if New Year's Day
if(month.equals(Month.JANUARY) && date == 1){
return true;
}
if(month.equals(Month.JANUARY) &&
date == 31 &&
day.equals(DayOfWeek.FRIDAY) ){
return true;
}
if(month.equals(Month.JANUARY)
&& date == 2 &&
day.equals(DayOfWeek.MONDAY) ){
return true;
}
// check MLK Day (3rd Monday of January)
if (month.equals(Month.JANUARY)
&& zdt.get(ChronoField.ALIGNED_WEEK_OF_MONTH) == 3
&& day.equals(DayOfWeek.MONDAY)) {
return true;
}
//// check Memorial Day (last Monday of May)
if(month.equals(Month.MAY)
&& day.equals(DayOfWeek.MONDAY)
&& date > (31-7)) {
return true;
}
// check if 4th of July
if(month.equals(Month.JULY)
&& date == 4){
return true;
}
if(month.equals(Month.JULY)
&& date == 3
&& day.equals(DayOfWeek.FRIDAY) ) {
return true;
}
if(month.equals(Month.JULY)
&& date == 5
&& day.equals(DayOfWeek.MONDAY) ){
return true;
}
// check Labor Day (1st Monday of September)
if (month.equals(Month.SEPTEMBER)
&& zdt.get(ChronoField.ALIGNED_WEEK_OF_MONTH) == 1
&& day.equals(DayOfWeek.MONDAY)) {
return true;
}
// check if Christmas
if(month.equals(Month.DECEMBER)
&& date == 25){
return true;
}
if(month.equals(Month.DECEMBER)
&& date == 24
&& day.equals(DayOfWeek.FRIDAY) ){
return true;
}
if(month.equals(Month.DECEMBER)
&& date == 26
&& day.equals(DayOfWeek.FRIDAY) ){
return true;
}
// check Thanksgiving (4th Thursday of November)
if (month.equals(Month.NOVEMBER)
&& zdt.get(ChronoField.ALIGNED_WEEK_OF_MONTH) == 4
&& day.equals(DayOfWeek.THURSDAY)) {
return true;
}
//check Thanksgiving following friday
if (month.equals(Month.NOVEMBER)
&& zdt.get(ChronoField.ALIGNED_WEEK_OF_MONTH) == 4
&& day.equals(DayOfWeek.FRIDAY)) {
return true;
}
//edge case when following day is 29 won't fall in align week 4
if (month.equals(Month.NOVEMBER)
&& zdt.get(ChronoField.ALIGNED_WEEK_OF_MONTH) == 5
&& date == 29
&& day.equals(DayOfWeek.FRIDAY)) {
return true;
}
return false;
}

Saturday, May 4, 2019

Filter Cryillic file from the folder in python


"" DetectCyrillic file search content in file recursiverly and filters all the files
having Cyrillic character in it preserving the folder structure.
Supported files: Docx Pptx Xlsx txt
Instruction to use:
This script expects user to provide following information through command line argument
1) Source directory where the file will be searched.
2) Target directory where the matched result will be copied.
Note: This script expects that no two file have same name and extension ,
they will be replaced in target directory otherwise
Eg to run the code
Python DetectCyrillic.py sourceFolder targetFolder
"""
import os
import sys
from shutil import copy
import logging
import docx2txt
import fulltext
import re
from colorama import Fore, init
init()
logger = logging.getLogger(__name__)
logging.basicConfig(stream=sys.stderr, level=logging.INFO)
def has_cyrillic(text):
return bool(re.search('[\u0400-\u04FF]', text))
def copyErrorFiles(file, dest) :
""" Copies files to the Error folder if unable to parse the document
"""
if not os.path.isdir(dest):
os.makedirs(dest)
listDir = os.listdir(dest)
finalDir = os.path.join(dest, "Error")
if "Error" in listDir:
copy(file, finalDir)
else:
os.makedirs(finalDir)
copy(file, finalDir)
def processTxtfile(file,dest):
"""
Process text file and returns true if file contains cyrillic character. """ try:
with open(file, encoding="utf-8", errors='ignore') as f:
for line in f:
russian = has_cyrillic(line)
if russian:
return True return False
except Exception as e:
print(Fore.RED +"cannot process txt file %s" % file)
copyErrorFiles(file, dest)
def processDocxfile(file,dest):
"
Process docx file and returns true if file contains cyrillic character. """
try:
doc = docx2txt.process(file)
russian = has_cyrillic(doc)
return russian
except Exception as e:
print(Fore.RED +"cannot process docx file %s" % file)
copyErrorFiles(file, dest)
def processPptxfile(file,dest):
"""
Process pptx file and returns true if file contains cyrillic character. """
try:
doc = fulltext.get(file, encoding="utf-8", errors='ignore')
russian = has_cyrillic(doc)
return russian
except Exception as e:
print(Fore.RED +"cannot process pptx file %s" % file)
copyErrorFiles(file, dest)
def processExcelfile(file,dest):
"""
Process xlsx file and returns true if file contains cyrillic character. """
try:
doc = fulltext.get(file, encoding="utf-8", errors='ignore')
russian = has_cyrillic(doc)
return russian
except Exception as e:
print(Fore.RED +"cannot process file %s" % file)
copyErrorFiles(file, dest)
def detectCyrillic(file,dest):
ext = (file.split(".")[-1]).lower()
if ext == "txt":
lang = processTxtfile(file, dest)
elif ext == "docx":
lang = processDocxfile(file, dest)
elif ext == "pptx":
lang = processPptxfile(file, dest)
elif ext == "xlsx":
lang = processExcelfile(file, dest)
else :
print(Fore.RED + "Invalid Extension %s " % (ext))
copyErrorFiles(file, dest)
lang = False return lang
def findAll(src,dest):
for root, dirs, files in os.walk(src):
for x in files:
print(Fore.WHITE + "Start : Detect Cryllic %s " %(x))
srcfilePath = os.path.join(root, x)
rootdest = root.replace(src, dest)
langSet = detectCyrillic(srcfilePath,rootdest)
if langSet:
if os.path.isdir(rootdest):
copy(srcfilePath, rootdest)
else :
os.makedirs(rootdest)
copy(srcfilePath, rootdest)
print(Fore.WHITE + "End : %s " % (x))
if __name__ == "__main__":
findAll(sys.argv[1], sys.argv[2])