kaanthi patham
jeeva chaitanyam
jeeva chaitanyam
JComboBox ruleComboBox = new JComboBox(); String [] comboArr = {"Include", "Hide Until"}; ItemListener ruleItemListener = null; class CustomComboBoxEditor extends DefaultCellEditor { private DefaultComboBoxModel model; public CustomComboBoxEditor() { super(ruleComboBox); this.model = (DefaultComboBoxModel)((JComboBox)getComponent()).getModel(); } @Override public Component getTableCellEditorComponent(JTable table, Object value, boolean isSelected, int row, int column) { if (model.getSize() > 0) return super.getTableCellEditorComponent(table, value, isSelected, row, column); for (int i = 0; i < comboArr.length; i++) { model.addElement(comboArr[i]); } return super.getTableCellEditorComponent(table, value, isSelected, row, column); } } ruleItemListener = new ItemListener() { @Override public void itemStateChanged(ItemEvent e) { int state = e.getStateChange(); debug("state:" + (ItemEvent.DESELECTED == state ? "DESELECTED" : "SELECTED") + " item=" + e.getItem()); }; }; ruleComboBox.addItemListener(ruleItemListener); TableColumn displayRulesCol = tblDashboard.getColumnModel().getColumn(RULE_COLUMN); displayRulesCol.setCellEditor(new CustomComboBoxEditor());
<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd">
<modelVersion>4.0.0</modelVersion>
<groupId>com.concretepage.app</groupId>
<artifactId>spring4soap</artifactId>
<version>1</version>
<packaging>jar</packaging>
<name>Spring 4 Soap Client</name>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-ws</artifactId>
<version>1.2.0.RELEASE</version>
</dependency>
<dependency>
<groupId>javax.xml.bind</groupId>
<artifactId>jaxb-api</artifactId>
<version>2.2.12</version>
</dependency>
<dependency>
<groupId>com.sun.xml.bind</groupId>
<artifactId>jaxb-impl</artifactId>
<version>2.2.7</version>
</dependency>
</dependencies>
<build>
<plugins>
<plugin>
<artifactId>maven-assembly-plugin</artifactId>
<configuration>
<descriptorRefs>
<descriptorRef>jar-with-dependencies</descriptorRef>
</descriptorRefs>
</configuration>
<executions>
<execution>
<phase>package</phase>
<goals>
<goal>single</goal>
</goals>
</execution>
</executions>
</plugin>
<plugin>
<groupId>org.jvnet.jaxb2.maven2</groupId>
<artifactId>maven-jaxb21-plugin</artifactId> <!-- changed from maven-jaxb2-plugin -->
<executions>
<execution>
<goals>
<goal>generate</goal>
</goals>
</execution>
</executions>
<configuration>
<schemaLanguage>WSDL</schemaLanguage>
<generatePackage>com.concretepage.wsdl</generatePackage>
<forceRegenerate>true</forceRegenerate>
<schemas>
<schema>
<url>http://localhost:8080/spring4soap-1/soapws/students.wsdl</url>
</schema>
</schemas>
</configuration>
</plugin>
</plugins>
</build>
</project>
<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd">
<modelVersion>4.0.0</modelVersion>
<groupId>com.concretepage.app</groupId>
<artifactId>spring4soap</artifactId>
<version>1</version>
<packaging>war</packaging>
<name>Spring 4 Soap</name>
<dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-ws</artifactId>
<version>1.2.0.RELEASE</version>
</dependency>
<dependency>
<groupId>wsdl4j</groupId>
<artifactId>wsdl4j</artifactId>
<version>1.6.1</version>
</dependency>
<dependency>
<groupId>javax.xml.bind</groupId>
<artifactId>jaxb-api</artifactId>
<version>2.2.12</version>
</dependency>
</dependencies>
<build>
<plugins>
<plugin>
<groupId>org.codehaus.mojo</groupId>
<artifactId>jaxb2-maven-plugin</artifactId>
<version>1.6</version>
<executions>
<execution>
<id>xjc</id>
<goals>
<goal>xjc</goal>
</goals>
</execution>
</executions>
<configuration>
<schemaDirectory>${project.basedir}/src/main/resources/</schemaDirectory>
<outputDirectory>${project.basedir}/src/main/java</outputDirectory>
<clearOutputDir>false</clearOutputDir>
</configuration>
</plugin>
</plugins>
</build>
</project>
package java8tut; import java.awt.event.ActionEvent; import java.awt.event.ActionListener; import java.lang.reflect.Method; import java.lang.reflect.Parameter; import java.util.ArrayList; import java.util.Arrays; import java.util.Collections; import java.util.List; import java.util.Objects; import java.util.Optional; import java.util.function.Consumer; import java.util.function.Function; import java.util.function.Predicate; import java.util.function.Supplier; import java.util.stream.Collectors; import javax.swing.JButton; public class Java8Tut { public static void main(String [] args) { //lambdas Converterconverter = (from) -> Integer.valueOf(from); Integer convertedVal = converter.convert("123"); System.out.println(convertedVal); converter = Integer::valueOf; convertedVal=converter.convert("256"); System.out.println(convertedVal); PersonFactory pfactory = Person::new; Person p=pfactory.createPerson("hello", "there"); System.out.println(p.firstName + " " + p.lastName); List names = Arrays.asList("Matt", "martin", "devi", "ashish", "gaili", "Brad"); Collections.sort(names, (String a, String b) -> { return a.compareTo(b);}); System.out.println(names); names = Arrays.asList("matt", "martin", "devi", "ashish", "gaili", "brad"); Collections.sort(names, (a, b) -> a.compareTo(b)); System.out.println(names); //consumer Consumer greeter = (person) -> System.out.println("Hello, " + person.firstName); greeter.accept(new Person("Luke", "Skywalker")); //supplier -- returns an object Supplier personSupplier = Person::new; Person newPerson = personSupplier.get(); // new Person newPerson.firstName="hello"; newPerson.lastName = "newperson"; System.out.println(newPerson.firstName + " " + newPerson.lastName); //predicates accept one argument //return true or false Predicate predicate = (s) -> s.length() > 0; predicate.test("foo"); // true predicate.negate().test("foo"); // false Predicate nonNull = Objects::nonNull; Predicate isNull = Objects::isNull; Predicate isEmpty = String::isEmpty; Predicate isNotEmpty = isEmpty.negate(); //functions accept one argument and return a result Function toInteger = Integer::valueOf; Function backToString = toInteger.andThen(String::valueOf); backToString.apply("123"); // "123" //optional //return null or non-null with optional???????? String friend="bam"; Optional optional = Optional.of(friend); optional.isPresent(); // true optional.get(); // "bam" optional.orElse("fallback"); // "bam" optional.ifPresent((s) -> System.out.println(s.charAt(0))); // "b" Supplier stringSupplier = String::new; String newString = (String)stringSupplier.get(); System.out.println("newString:<" + newString + "> optinal output:<" + optional.orElseGet(stringSupplier) + ">"); //to show function usage List persons = new ArrayList(); persons.add(new NamedPerson("Albert", 80)); persons.add(new NamedPerson("Ben", 15)); persons.add(new NamedPerson("Charlote", 20)); persons.add(new NamedPerson("Dean", 6)); persons.add(new NamedPerson("Elaine", 17)); List allAges = Java8Tut.listAllAges(persons, NamedPerson::getAge); System.out.println("Printing out all ages \n"+allAges); //to show consumer usage List myNames = new ArrayList(); myNames.add("David"); myNames.add("Richard"); myNames.add("Samuel"); myNames.add("Rose"); myNames.add("John"); System.out.println("Print Names--->"); Java8Tut.printNames(myNames,System.out::println); //to show function usage vs predicate usage List numbers = Arrays.asList(4,9,16,25,36); List squaredNumbers = Java8Tut.findSquareRoot(numbers,Double::new); System.out.println("Square root of numbers = "+squaredNumbers); List primes = findPrimesUsingFunction(numbers, Java8Tut::isPrime); System.out.println("Function Primes: " + primes); primes = findPrimesUsingPredicate(numbers, Java8Tut::isPrime); System.out.println("Predicate Primes: " + primes); primes = findPrimeNumbersUsingPredictaeAndStreamAndFilter(numbers, Java8Tut::isPrime); System.out.println("Predicate2 Primes: " + primes); //method parameters //running with java8Tut -parameters will show the parameter names for methods that are PUBLIC Method[] methods = Java8Tut.class.getMethods(); for (Method method : methods) { System.out.print(method.getName() + "("); Parameter[] parameters = method.getParameters(); for (Parameter parameter : parameters) { System.out.print(parameter.getType().getName() + " " + parameter.getName() + " "); } System.out.println(")"); } //in Swing // Before Java 8: JButton show = new JButton("Show"); show.addActionListener(new ActionListener() { @Override public void actionPerformed(ActionEvent e) { System.out.println("Event handling without lambda expression is boring"); } }); // Java 8 way: show.addActionListener((e) -> { System.out.println("Light, Camera, Action !! Lambda expressions Rocks"); }); //Prior Java 8 : List features = Arrays.asList("Lambdas", "Default Method", "Stream API", "Date and Time API"); for (String feature : features) { System.out.println(feature); } //In Java 8: features = Arrays.asList("Lambdas", "Default Method", "Stream API", "Date and Time API"); features.forEach(n -> System.out.println(n)); // Even better use Method reference feature of Java 8 // method reference is denoted by :: (double colon) operator // looks similar to score resolution operator of C++ features.forEach(System.out::println); List languages = Arrays.asList("Java", "Scala", "C++", "Haskell", "Lisp"); System.out.println("Languages which starts with J :"); filter1(languages, (str)-> ((String)str).startsWith("J")); System.out.println("Languages which ends with a "); filter1(languages, (str)-> ((String)str).endsWith("a")); System.out.println("Print all languages :"); filter2(languages, (str)->true); System.out.println("Print no language : "); filter2(languages, (str)->false); System.out.println("Print language whose length greater than 4:"); filter1(languages, (str)->((String)str).length() > 4); // We can even combine Predicate using and(), or() And xor() logical functions // for example to find names, which starts with J and four letters long, you // can pass combination of two Predicate Predicate startsWithJ = (n) -> n.startsWith("J"); Predicate fourLetterLong = (n) -> n.length() == 4; languages.stream() .filter(startsWithJ.and(fourLetterLong)) .forEach((n) -> System.out.print("\nName, which starts with 'J' and four letter long is : " + n)); // Applying 12% VAT on each purchase // Old way: List costBeforeTax = Arrays.asList(100, 200, 300, 400, 500); double total = 0; for (Integer cost : costBeforeTax) { double price = cost + .12*cost; total = total + price; } System.out.println("\nTotal Old Way : " + total); // New way: costBeforeTax = Arrays.asList(100, 200, 300, 400, 500); double bill = costBeforeTax.stream().map((cost) -> cost + .12*cost).reduce((sum, cost) -> sum + cost).get(); System.out.println("Total New Way : " + bill); // Convert String to Uppercase and join them using coma List G7 = Arrays.asList("USA", "Japan", "France", "Germany", "Italy", "U.K.","Canada"); String G7Countries = G7.stream().map(x -> x.toUpperCase()).collect(Collectors.joining(", ")); System.out.println(G7Countries); // Create List of square of all distinct numbers List myNumbers = Arrays.asList(9, 10, 3, 4, 7, 3, 4); List distinct = myNumbers.stream().map( i -> i*i).distinct().collect(Collectors.toList()); System.out.printf("Original List : %s, Square Without duplicates : %s %n", numbers, distinct); } public static void filter1(List names, Predicate condition) { for(String name: names) { if(condition.test(name)) { System.out.println(name + " "); } } } public static void filter2(List names, Predicate condition) { names.stream().filter((name) -> (condition.test(name))).forEach((name) -> { System.out.println(name + " "); }); } private static void printNames(List list, Consumer c ){ list.forEach(x -> c.accept(x)); } private static boolean isPrime(Integer x) { if (x == 0) return false; if (x % 2==0) return false; return true; } public static List findPrimeNumbersUsingPredictaeAndStreamAndFilter(List list, Predicate predicate) { List sortedNumbers = new ArrayList(); list.stream().filter(predicate).forEach( sortedNumbers::add ); return sortedNumbers; } private static List findPrimesUsingPredicate(List numList, Predicate f) { List primeList = new ArrayList (); numList.forEach(x -> {if(f.test((Integer)x)) primeList.add((Integer)x);}); return primeList; } private static List findPrimesUsingFunction(List numList, Function f) { List primeList = new ArrayList (); numList.forEach(x -> {if(f.apply((Integer)x)) primeList.add((Integer)x);}); return primeList; } private static List findSquareRoot(List list, Function f){ List result = new ArrayList(); list.forEach(x -> result.add(f.apply(Math.sqrt((Integer)x)))); return result; } private static List listAllAges(List persons, Function f){ List result = new ArrayList(); persons.forEach(x -> result.add(f.apply(x))); return result; } private static class NamedPerson { private final String name; private final int age; public NamedPerson(String name, int age) { this.name = name; this.age = age; } public String getName() { return name; } public int getAge() { return age; } } public static class Person { public String firstName; public String lastName; public Person() { } public Person(String fname, String lname) { this.firstName = fname; this.lastName = lname; } } @FunctionalInterface public interface PersonFactory { P createPerson(String firstName, String lastName); } }
Spring Rich Client Create Eclipse Project UsrMgmtSpring Default package has UserMgmApp.java Com.test.dataprovider has CustomerDataStore.java Message.properties Com.test.editor has CustomerTable.java Com.test.form has CustomerForm.java Com.test.model has Address.java Customer.java CustomerPropertiesDialog.java Com.test.views has CustomerView.java Folder ctx has Appbundle.xml Commands.xml Dzone-beans.xml Make sure you have the latest Spring jars Source Code import org.apache.commons.logging.Log; import org.apache.commons.logging.LogFactory; import org.springframework.richclient.application.ApplicationLauncher; public class UserMgmApp{ private static final Log logger = LogFactory.getLog(UserMgmApp.class); public static void main(String[] args) { String rootDirectoryForContext = "/ctx"; String contextPath = rootDirectoryForContext + "/appbundle.xml"; try { new ApplicationLauncher(null, new String[] {contextPath}); } catch (RuntimeException e) { logger.error("RuntimeException during startup", e); } } } package com.test.dataprovider; import java.util.HashSet; import com.test.model.Address; import com.test.model.Customer; public class CustomerDataStore { private static int nextId = 1; private HashSet customers = new HashSet(); public CustomerDataStore() { loadData(); } public Customer[] getAllCustomers() { return (Customer[]) customers.toArray(new Customer[0]); } private void loadData() { customers.add(makeCustomer( "Larry", "Streepy", true, "123 Some St.", "New York", "NY", "10010")); customers.add(makeCustomer( "Keith", "Donald", false, "456 WebFlow Rd.", "Cooltown", "NY", "10001")); customers.add(makeCustomer( "Steve", "Brothers", true, "10921 The Other Street", "Denver", "CO", "81234-2121")); customers.add(makeCustomer( "Carlos", "Mencia", false, "4321 Comedy Central", "Hollywood", "CA", "91020")); customers.add(makeCustomer( "Jim", "Jones", true, "1001 Another Place", "Dallas", "TX", "71212")); customers.add(makeCustomer( "Jenny", "Jones", false, "1001 Another Place", "Dallas", "TX", "75201")); customers.add(makeCustomer( "Greg", "Jones", false, "9 Some Other Place", "Chicago", "IL", "60601")); } private Customer makeCustomer( String first, String last, boolean married, String street, String city, String state, String zip) { Customer customer = new Customer(); customer.setId(nextId++); customer.setFirstName(first); customer.setLastName(last); customer.setLastName(last); customer.setMarried(married); Address address = customer.getAddress(); address.setStreet(street); address.setCity(city); address.setState(state); address.setZip(zip); return customer; } } Message.properties #Menu userManagementMenu.label = User Management userManagementMenu.caption = User Management #Menu #MenuItems userCommand.label = Users userGroupCommand.label = User Groups #MenuItems #The above definitions go into a property file. Note that userManagementMenu, userCommand, userGroupCommandLabel are the bean identifiers we have defined in commands.xml file. Have a look at the following declaration, #User userDataEditor.id.header = Id userDataEditor.name.header = Name userDataEditor.dateOfBirth.header = Date of Birth userDataEditor.userGroup.header = User Group userDataEditor.title = Users userDataEditor.description = List of users userView.title = Users userView.label = Users userForm.id.label = Id userForm.name.label = Name userForm.dateOfBirth.label = Date of Birth userForm.userGroup.label = User Group userFilterForm.nameContains.label = Name contains #User #UserGroup userGroupDataEditor.id.header = Id userGroupDataEditor.name.header = Name userGroupDataEditor.description.header = Description userGroupDataEditor.title = User Groups userGroupDataEditor.description = List of User groups userGroupView.title = User Groups userGroupView.label = User Groups userGroupForm.id.label = Id userGroupForm.name.label = Name userGroupForm.description.label = Description userGroupFilterForm.nameContains.label = Name contains #UserGroup userCommand.label=User userGroupCommand.label=User Group firstName.label=First Name lastName.label=Last Name address.street.label=Street address.city.label=City address.state.label=State address.zip.label=Zip customerProperties.edit.title=Edit Contact: {0} {1} customer.title=Customer Information customer.description=Enter the details of the customer below. married.label=Married? package com.test.editor; import javax.swing.JTable; import javax.swing.table.TableColumnModel; import org.springframework.richclient.table.support.AbstractObjectTable; import com.test.dataprovider.CustomerDataStore; import com.test.model.Customer; public class CustomerTable extends AbstractObjectTable { private CustomerDataStore dataStore; public CustomerTable(CustomerDataStore dataStore) { super("customers", new String[]{ "lastName", "firstName", "address.street", "address.city", "address.state", "address.zip"}); this.dataStore = dataStore; } @Override protected void configureTable(JTable table) { TableColumnModel tcm = table.getColumnModel(); tcm.getColumn(0).setPreferredWidth(100); tcm.getColumn(1).setPreferredWidth(100); tcm.getColumn(2).setPreferredWidth(200); tcm.getColumn(3).setPreferredWidth(50); tcm.getColumn(4).setPreferredWidth(10); tcm.getColumn(5).setPreferredWidth(50); } @Override protected Object[] getDefaultInitialData() { return dataStore.getAllCustomers(); } public Customer[] getSelectedCustomers() { int[] selected = getTable().getSelectedRows(); Customer[] customer = new Customer[selected.length]; for (int i = 0; i < selected.length; i++) { customer[i] = (Customer) getTableModel().getElementAt(selected[i]); } return customer; } public Customer getSelectedCustomer() { return (Customer) getSelectedCustomers()[0]; } } package com.test.form; import javax.swing.JComponent; import javax.swing.JTextField; import org.springframework.richclient.form.AbstractForm; import org.springframework.richclient.form.builder.TableFormBuilder; import com.test.model.Customer; public class CustomerForm extends AbstractForm { private JComponent firstNameField; public CustomerForm(Customer customer) { super(customer); setId("customer"); } @Override protected JComponent createFormControl() { TableFormBuilder formBuilder = new TableFormBuilder(getBindingFactory()); formBuilder.setLabelAttributes("colGrId=label colSpec=right:pref"); formBuilder.addSeparator("General"); formBuilder.row(); firstNameField = formBuilder.add("firstName")[1]; formBuilder.add("lastName"); formBuilder.row(); formBuilder.add("married"); formBuilder.row(); formBuilder.addSeparator("Address"); formBuilder.row(); formBuilder.add("address.street"); formBuilder.row(); formBuilder.add("address.city", "colSpan=1 align=left"); formBuilder.row(); formBuilder.add("address.state", "colSpan=1 align=left"); formBuilder.row(); JComponent zipField = formBuilder.add("address.zip", "colSpan=1 align=left")[1]; ((JTextField) zipField).setColumns(8); formBuilder.row(); return formBuilder.getForm(); } public boolean requestFocusInWindow() { return firstNameField.requestFocusInWindow(); } } package com.test.model; public class Address { private String street; private String city; private String state; private String zip; public String getStreet() { return street; } public void setStreet(String street) { this.street = street; } public String getCity() { return city; } public void setCity(String city) { this.city = city; } public String getState() { return state; } public void setState(String state) { this.state = state; } public String getZip() { return zip; } public void setZip(String zip) { this.zip = zip; } } package com.test.model; import java.util.Date; public class Customer { private int id; private String firstName; private String lastName; private Address address; private boolean married; public boolean getMarried() { return married; } public void setMarried(boolean married) { this.married = married; } public Customer() { setAddress(new Address()); } public int getId() { return id; } public void setId(int id) { this.id = id; } public Address getAddress() { return address; } public void setAddress(Address address) { this.address = address; } public String getFirstName() { return firstName; } public void setFirstName(String firstName) { this.firstName = firstName; } public String getLastName() { return lastName; } public void setLastName(String lastName) { this.lastName = lastName; } } package com.test.model; import org.springframework.richclient.dialog.FormBackedDialogPage; import org.springframework.richclient.dialog.TitledPageApplicationDialog; import org.springframework.richclient.form.Form; import com.test.form.CustomerForm; public class CustomerPropertiesDialog extends TitledPageApplicationDialog { private Form form; public CustomerPropertiesDialog(Customer Customer) { form = new CustomerForm(Customer); setDialogPage(new FormBackedDialogPage(form)); } @Override protected void onAboutToShow() { Customer Customer = (Customer) form.getFormModel().getFormObject(); String title = getMessage( "customerProperties.edit.title", new Object[]{ Customer.getFirstName(), Customer.getLastName() }); setTitle(title); } @Override protected boolean onFinish() { form.getFormModel().commit(); return true; } @Override protected void onCancel() { super.onCancel(); } } package com.test.views; import java.awt.BorderLayout; import javax.swing.JComponent; import javax.swing.JOptionPane; import javax.swing.JPanel; import javax.swing.JScrollPane; import org.springframework.binding.value.ValueModel; import org.springframework.richclient.application.PageComponentContext; import org.springframework.richclient.application.support.AbstractView; import org.springframework.richclient.command.ActionCommand; import org.springframework.richclient.command.CommandGroup; import org.springframework.richclient.command.GuardedActionCommandExecutor; import org.springframework.richclient.command.support.AbstractActionCommandExecutor; import org.springframework.richclient.command.support.GlobalCommandIds; import org.springframework.richclient.list.ListSelectionValueModelAdapter; import org.springframework.richclient.list.ListSingleSelectionGuard; import com.test.dataprovider.CustomerDataStore; import com.test.editor.CustomerTable; import com.test.model.CustomerPropertiesDialog; public class CustomerView extends AbstractView { private CustomerTable customerTable; private CustomerDataStore customerDataStore; private GuardedActionCommandExecutor propertiesExecutor = new PropertiesExecutor(); protected CustomerDataStore getCustomerDataStore() { return customerDataStore; } public void setCustomerDataStore(CustomerDataStore customerDataStore) { this.customerDataStore = customerDataStore; } @Override protected void registerLocalCommandExecutors(PageComponentContext context) { context.register(GlobalCommandIds.PROPERTIES, propertiesExecutor); } @Override protected JComponent createControl() { customerTable = new customerTableFactory().createCustomerTable(); customerTable.setDoubleClickHandler(propertiesExecutor); JPanel view = new JPanel(new BorderLayout()); JScrollPane sp = getComponentFactory().createScrollPane(customerTable.getControl()); view.add(sp, BorderLayout.CENTER); return view; } private class customerTableFactory { public CustomerTable createCustomerTable() { CustomerTable customerTable = new CustomerTable(customerDataStore); CommandGroup popup = new CommandGroup(); popup.add((ActionCommand) getWindowCommandManager().getCommand(GlobalCommandIds.PROPERTIES, ActionCommand.class)); customerTable.setPopupCommandGroup(popup); ValueModel selectionHolder = new ListSelectionValueModelAdapter(customerTable.getSelectionModel()); new ListSingleSelectionGuard(selectionHolder, propertiesExecutor); return customerTable; } } private class PropertiesExecutor extends AbstractActionCommandExecutor { @Override public void execute() { new CustomerPropertiesDialog(customerTable.getSelectedCustomer()).showDialog(); } } } Appbundle.xml <?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-2.5.xsd"> <bean id="application" class="org.springframework.richclient.application.Application"> <constructor-arg index="0" ref="applicationDescriptor" /> <constructor-arg index="1" ref="lifecycleAdvisor" /> </bean> <bean id="lifecycleAdvisor" class="org.springframework.richclient.samples.simple.app.SimpleLifecycleAdvisor"> <property name="windowCommandBarDefinitions" value="ctx/commands.xml" /> <property name="startingPageId" value="customerView" /> <property name="windowCommandManagerBeanName" value="windowCommandManager" /> <property name="menubarBeanName" value="menuBar" /> <property name="toolbarBeanName" value="toolBar" /> </bean> <bean id="initialView" class="org.springframework.richclient.application.support.DefaultViewDescriptor"> <property name="viewClass" value="org.springframework.richclient.samples.simple.ui.InitialView" /> <property name="viewProperties"> <map> <entry key="firstMessage" value="firstMessage.text" /> <entry key="descriptionTextPath" value="org/springframework/richclient/samples/simple/ui/initialViewText.html" /> </map> </property> </bean> <bean id="serviceLocator" class="org.springframework.richclient.application.ApplicationServicesLocator"> <property name="applicationServices" ref="applicationServices" /> </bean> <bean id="applicationServices" class="org.springframework.richclient.application.support.DefaultApplicationServices" /> <bean id="applicationEventMulticaster" class="org.springframework.context.event.SimpleApplicationEventMulticaster" /> <bean id="applicationDescriptor" class="org.springframework.richclient.application.support.DefaultApplicationDescriptor"> <property name="version" value="1.0" /> </bean> <bean id="applicationObjectConfigurer" depends-on="serviceLocator" class="org.springframework.richclient.application.config.DefaultApplicationObjectConfigurer"> </bean> <bean id="lookAndFeelConfigurer" class="org.springframework.richclient.application.config.JGoodiesLooksConfigurer"> <property name="popupDropShadowEnabled" value="false" /> <property name="theme"> <bean class="com.jgoodies.looks.plastic.theme.ExperienceBlue" /> </property> </bean> <bean id="messageSource" class="org.springframework.context.support.ResourceBundleMessageSource"> <property name="basenames"> <list> <value>org.springframework.richclient.samples.simple.ui.messages</value> <value>org.springframework.richclient.application.messages</value> <value>com.test.dataprovider.messages</value> </list> </property> </bean> <bean id="imageResourcesFactory" class="org.springframework.context.support.ResourceMapFactoryBean"> <property name="locations"> <list> <value>classpath:org/springframework/richclient/image/images.properties</value> <value>classpath:org/springframework/richclient/samples/simple/ui/images.properties</value> </list> </property> </bean> <bean id="imageSource" class="org.springframework.richclient.image.DefaultImageSource"> <constructor-arg index="0" ref="imageResourcesFactory" /> <property name="brokenImageIndicator" value="/org/springframework/richclient/images/alert/error_obj.gif" /> </bean> <bean id="formComponentInterceptorFactory" class="org.springframework.richclient.form.builder.support.ChainedInterceptorFactory"> <property name="interceptorFactories"> <list> <bean class="org.springframework.richclient.form.builder.support.ColorValidationInterceptorFactory"> <property name="errorColor" value="255,245,245" /> </bean> <bean class="org.springframework.richclient.form.builder.support.OverlayValidationInterceptorFactory" /> <bean class="org.springframework.richclient.text.TextComponentPopupInterceptorFactory" /> <bean class="org.springframework.richclient.list.ComboBoxAutoCompletionInterceptorFactory" /> </list> </property> </bean> <bean id="rulesSource" class="org.springframework.richclient.samples.simple.domain.SimpleValidationRulesSource" /> <bean id="conversionService" class="org.springframework.richclient.application.DefaultConversionServiceFactoryBean"> <property name="formatterFactory"> <bean class="org.springframework.richclient.samples.simple.ui.SimpleAppFormatterFactory" /> </property> </bean> <import resource="dzone-beans.xml"/> </beans> Commands.xml <?xml version="1.0" encoding="UTF-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-2.5.xsd"> <bean id="windowCommandManager" class="org.springframework.richclient.application.support.ApplicationWindowCommandManager"> </bean> <bean id="menuBar" class="org.springframework.richclient.command.CommandGroupFactoryBean"> <property name="members"> <list> <ref bean="fileMenu" /> <ref bean="windowMenu" /> <ref bean="helpMenu" /> <ref bean="userManagementMenu" /> </list> </property> </bean> <bean id="userManagementMenu" class="org.springframework.richclient.command.CommandGroupFactoryBean" > <property name="members"> <list> <ref bean="userCommand"/> <ref bean="userGroupCommand"/> </list> </property> </bean> <bean id="userCommand" class="org.springframework.richclient.command.support.ShowViewCommand"> <property name="viewDescriptor" ref="customerView"/> </bean> <bean id="fd1" class="org.springframework.richclient.command.config.CommandFaceDescriptor"> <constructor-arg index="0" value="there"/> </bean> <bean id="userGroupCommand" class="org.springframework.richclient.command.support.ShowViewCommand"> <property name="viewDescriptor" ref="customerView"/> </bean> <bean id="fd2" class="org.springframework.richclient.command.config.CommandFaceDescriptor"> <constructor-arg index="0" value="there"/> </bean> <bean id="toolBar" class="org.springframework.richclient.command.CommandGroupFactoryBean"> <property name="members"> <list/> </property> </bean> <bean id="fileMenu" class="org.springframework.richclient.command.CommandGroupFactoryBean"> <property name="members"> <list> <bean class="org.springframework.richclient.command.support.ExitCommand" /> </list> </property> </bean> <bean id="windowMenu" class="org.springframework.richclient.command.CommandGroupFactoryBean"> <property name="members"> <list> <bean class="org.springframework.richclient.command.support.NewWindowCommand" /> <value>separator</value> <bean class="org.springframework.richclient.command.support.ShowViewMenu" /> </list> </property> </bean> <bean id="helpMenu" class="org.springframework.richclient.command.CommandGroupFactoryBean"> <property name="members"> <list> <ref bean="helpContentsCommand" /> <value>separator</value> <ref bean="aboutCommand" /> </list> </property> </bean> <bean id="helpContentsCommand" class="org.springframework.richclient.command.support.HelpContentsCommand"> <property name="helpSetPath" value="help/simple.hs" /> </bean> <bean id="aboutCommand" class="org.springframework.richclient.command.support.AboutCommand" /> </beans> Dzone-beans.xml <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-2.5.xsd"> <bean id="customerView" class="org.springframework.richclient.application.support.DefaultViewDescriptor"> <property name="viewClass" value="com.test.views.CustomerView" /> <property name="viewProperties"> <map> <entry key="customerDataStore" value-ref="customerDataStore" /> </map> </property> </bean> <bean id="customerDataStore" class="com.test.dataprovider.CustomerDataStore" /> </beans>
These are the installation steps on Ubuntu. -Install mongodb the command mongod will start the DB the command mongo will run the client -install node Obtain the tar ball and install it -package.json should be in hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin$ { "name": "todoApp", "version": "0.0.0", "private": true, "scripts": { "start": "node ./bin/www" }, "dependencies": { "body-parser": "~1.8.1", "cookie-parser": "~1.3.3", "debug": "~2.0.0", "ejs": "~0.8.5", "express": "latest", "mongoose": "^3.8.17", "morgan": "~1.3.0", "serve-favicon": "~2.1.3" } } -run theis command: npm install -this will install all of the required modules -in hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin$ type “express –e todoApp” -To make it global Type npm –g express Configuraiton Put this in todoApp/app.js var express = require('express'); var path = require('path'); var http = require('http'); var favicon = require('serve-favicon'); var logger = require('morgan'); var cookieParser = require('cookie-parser'); var bodyParser = require('body-parser'); var routes = require('./routes/index'); var todos = require('./routes/todos'); var mongoose = require('mongoose'); mongoose.connect('mongodb://localhost/todoApp', function(err) { if(err) { console.log('connection error', err); } else { console.log('connection successful'); } }); var app = express(); // view engine setup app.set('views', path.join(__dirname, 'views')); app.set('view engine', 'ejs'); // uncomment after placing your favicon in /public //app.use(favicon(__dirname + '/public/favicon.ico')); app.use(logger('dev')); app.use(bodyParser.json()); app.use(bodyParser.urlencoded({ extended: false })); app.use(cookieParser()); app.use(express.static(path.join(__dirname, 'public'))); app.use('/', routes); app.use('/todos', todos); // catch 404 and forward to error handler app.use(function(req, res, next) { var err = new Error('Not Found'); err.status = 404; next(err); }); // error handlers // development error handler // will print stacktrace if (app.get('env') === 'development') { app.use(function(err, req, res, next) { res.status(err.status || 500); res.render('error', { message: err.message, error: err }); }); } // production error handler // no stacktraces leaked to user app.use(function(err, req, res, next) { res.status(err.status || 500); res.render('error', { message: err.message, error: {} }); }); app.set('port', 3000); var server = http.createServer(app); server.listen(3000); module.exports = app; Create index.js and todos.js under todoApp/routes hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin/todoApp/routes$ more * :::::::::::::: index.js :::::::::::::: var express = require('express'); var router = express.Router(); /* GET home page. */ router.get('/', function(req, res) { res.render('index', { title: 'Express' }); }); module.exports = router;; :::::::::::::: todos.js :::::::::::::: var express = require('express'); var router = express.Router(); var mongoose = require('mongoose'); var Todo = require('../models/Todo.js'); /* GET /todos listing. */ router.get('/', function(req, res, next) { Todo.find(function (err, todos) { if (err) return next(err); res.json(todos); }); }); /* POST /todos */ router.post('/', function(req, res, next) { Todo.create(req.body, function (err, post) { if (err) return next(err); res.json(post); }); }); /* GET /todos/id */ router.get('/:id', function(req, res, next) { Todo.findById(req.params.id, function (err, post) { if (err) return next(err); res.json(post); }); }); /* PUT /todos/:id */ router.put('/:id', function(req, res, next) { Todo.findByIdAndUpdate(req.params.id, req.body, function (err, post) { if (err) return next(err); res.json(post); }); }); /* DELETE /todos/:id */ router.delete('/:id', function(req, res, next) { Todo.findByIdAndRemove(req.params.id, req.body, function (err, post) { if (err) return next(err); res.json(post); }); }); module.exports = router; Create the following files under todoApp/views hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin/todoApp/views$ more * :::::::::::::: error.ejs :::::::::::::: <h1><%= message %></h1> <h2><%= error.status %></h2> <pre><%= error.stack %></pre> :::::::::::::: index.ejs :::::::::::::: <!DOCTYPE html> <html> <head> <title><%= title %></title> <link rel='stylesheet' href='/stylesheets/style.css' /> </head> <body> <h1><%= title %></h1> <p>Welcome to <%= title %></p> </body> </html> :::::::::::::: layout.jade :::::::::::::: !!! html head title= title link(rel='stylesheet', href='/stylesheets/style.css') body!= body Put this under todoApp/model/Todo.js hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin/todoApp/models$ more * var mongoose = require('mongoose'); var TodoSchema = new mongoose.Schema({ name: String, completed: Boolean, note: String }); module.exports = mongoose.model('Todo', TodoSchema); Start the server as hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin/node todoApp/app.js Now run Curl on port 3000 to view the todos hadoop-user@ubuntu:~/node-v0.10.30-linux-x64/bin$ curl localhost:3000 <!DOCTYPE html> <html> <head> <title>Express</title> <link rel='stylesheet' href='/stylesheets/style.css' /> </head> <body> <h1>Express</h1> <p>Welcome to Express</p> </body> </html>
In the todoApp type node to enter in the node CLI. Then: /* prompt> */ var mongoose = require('mongoose'); /* prompt> */ mongoose.connect('mongodb://localhost/test3'); /* prompt> */ var TodoSchema = new mongoose.Schema({ name: String, completed: Boolean, note: String, updated_at: { type: Date, default: Date.now }, }); /* prompt> */ var Todo = mongoose.model('Todo', TodoSchema); Mongoose Create /* prompt> */ var todo = new Todo({name: 'Master NodeJS', completed: false, note: 'Getting there...'}); /* prompt> */ todo.save(function(err){ if(err) console.log(err); else console.log(todo); }); You can also build the object and save in one step using create: /* prompt> */ Todo.create({name: 'Master Javscript', completed: true, note: 'Getting better everyday'}, function(err, todo){ if(err) console.log(err); else console.log(todo); });
Create an Eclipse Dynamic Web Project called AngularWs The following jars are needed: Jackson-core-asl-1.9.13.jar Jackson-jaxrs-1.9.13.jar Jackson-mapper-asl-1.9.13.jar Jackson-xc-1.9.13.jar Jersey-client-2.9.1.jar Jersey-core-1.19.jar Jersey-json-1.19.jar Jersey-server-1.19.jar Jersey-servlet-1.19.jar Jsr311-api-1.1.1.jar Log4j-1.2.17.jar Com.avaldes.RestfulWsExample.jar package com.avaldes; import java.util.ArrayList; import java.util.HashMap; import java.util.Map; import javax.ws.rs.Consumes; import javax.ws.rs.DELETE; import javax.ws.rs.GET; import javax.ws.rs.POST; import javax.ws.rs.PUT; import javax.ws.rs.Path; import javax.ws.rs.PathParam; import javax.ws.rs.Produces; import javax.ws.rs.core.MediaType; import org.apache.log4j.Logger; import com.avaldes.model.Actor; @Path("/actors") public class RestfulWSExample { static final String api_version = "1.01A rev.18729"; static Logger logger = Logger.getLogger(RestfulWSExample.class); static String xmlString = null; static Map<String, Actor> actors = new HashMap<String, Actor>(); static { System.out.println("Initializing Internal DataStore..."); actors.put("123", new Actor(123, "Mango", "Hugh Michael Jackman", "October 12, 1968", "hughjackman@mail.com", "http://www.clker.com/cliparts/9/3/f/2/13104306781087539055mango3.png", true)); actors.put("124", new Actor(124, "Guava", "Jennifer Shrader Lawrence", "August 15, 1990", "jennifer@mail.com", "http://www.clker.com/cliparts/b/3/a/a/13113336461425044423guava-hi.png", true)); actors.put("345", new Actor(345, "Pineapple", "Jennifer Lynn Lopez", "July 24, 1969", "jlo@verizon.com", "http://coloringhub.com/wp-content/uploads/2013/04/pineapple.jpg", true)); actors.put("333", new Actor(333, "Banana", "Jennifer Joanna Aniston", "February 11, 1969", "jennifer.anniston@eonline.com", "http://www.clker.com/cliparts/8/7/d/5/12859632222140661539banana.jpg", true)); actors.put("444", new Actor(444, "Orange", "Julia Fiona Roberts ", "October 28, 1967", "julia.roberts@att.com", "http://www.clker.com/cliparts/7/9/0/9/12859634662077106703lang%20gang%20orange:laranja-hi.png", true)); actors.put("777", new Actor(777, "Strawberry", "Christopher Robert Evans", "June 13, 1981", "chris.evans@comcast.com", "http://www.buyfruit.com.au/images/P/iStock_000012529377Small_%28strawberry%29__95536.jpg", true)); actors.put("654", new Actor(654, "Blueberry", "Robert John Downey Jr", "April 4, 1965", "robertdowney@verizon.com", "https://blogger.googleusercontent.com/img/b/R29vZ2xl/AVvXsEjmvEBXOGzYzsV9hvtlQvrfRpYTbr0wHxPukXazI9Hk07gGfaTUdzoaNqC5O1kzz9E-LJe5I44FbHz3p-MfU5kpWB73YZDxEHxCAhOKoQ_yXpNOjvwHiU6VW8eN20GkaROJwqDrnVcpFiUZ/s1600/blueberries.jpg", true)); actors.put("255", new Actor(255, "Pear", "John Christopher Depp II", "June 9, 1963", "johndepp@hollywood.com", "http://www.buyfruit.com.au/images/P/Packham_new2__31926.jpg", true)); actors.put("989", new Actor(989, "Apple", "Scarlett Ingrid Johansson", "November 22, 1984", "scarjo@mail.com", "http://www.clker.com/cliparts/1/7/8/e/13184866091680939821239487_apple.jpg", true)); } @Path("/version") @GET @Produces(MediaType.TEXT_HTML) public String returnVersion() { return "<p>Version: " + api_version + "</p>"; } // This is the default @PATH @GET @Produces({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) public ArrayList<Actor> getAllActors() { System.out.println("Getting all actors..."); ArrayList<Actor> actorList = new ArrayList<Actor>(actors.values()); return actorList; } @Path("{id}") @GET @Produces({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) public Actor getActorById(@PathParam("id") String id) { System.out.println("Getting actor by ID: " + id); Actor actor = actors.get(id); if (actor != null) { logger.info("Inside getActorById, returned: " + actor.toString()); } else { logger.info("Inside getActorById, ID: " + id + ", NOT FOUND!"); } return actor; } @Path("{id}") @PUT @Consumes({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) @Produces({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) public Actor updateActor(Actor actor) { actors.put(""+actor.getId(), actor); System.out.println("updateActor with ID: " + actor.getId()); if (actor != null) { logger.info("Inside updateActor, returned: " + actor.toString()); } else { logger.info("Inside updateActor, ID: " + actor.getId() + ", NOT FOUND!"); } return actor; } @Path("/search/{query}") @GET @Produces({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) public ArrayList<Actor> searchActorByName(@PathParam("query") String query) { System.out.println("Searching actor by Name: " + query); ArrayList<Actor> actorList = new ArrayList<Actor>(); for (Actor c: actors.values()) { if (c.getName().toUpperCase().contains(query.toUpperCase())) actorList.add(c); } return actorList; } @Path("/add") @POST @Consumes({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) @Produces({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) public Actor addActor(Actor actor) { System.out.println("Adding actor with ID: " + actor.getId()); if (actor != null) { System.out.println("Inside addActor, returned: " + actor.toString()); actors.put(""+actor.getId(), actor); System.out.println("# of actors: " + actors.size()); System.out.println("Actors are now: " + actors); } else { System.out.println("Inside addActor, Unable to add actors..."); } return actor; } @Path("{id}") @DELETE @Produces({ MediaType.APPLICATION_JSON, MediaType.APPLICATION_XML }) public Actor deleteActorById(@PathParam("id") String id) { System.out.println("Deleting actor with ID: " + id); Actor actor = actors.remove(id); if (actor != null) { logger.info("Inside deleteActorById, returned: " + actor.toString()); } else { logger.info("Inside deleteActorById, ID: " + id + ", NOT FOUND!"); } return actor; } } Com.avaldes.model.Actor.java package com.avaldes.model; import javax.xml.bind.annotation.XmlElement; import javax.xml.bind.annotation.XmlRootElement; @XmlRootElement(name = "actor") public class Actor { private int id; private String name; private String birthName; private String birthDate; private String email; private String image; private boolean active; public Actor(int id, String name, String birthName, String birthDate, String email, String image, boolean active) { this.id = id; this.name = name; this.birthName = birthName; this.birthDate = birthDate; this.email = email; this.image = image; this.active = active; } @XmlElement public int getId() { return id; } public void setId(int id) { this.id = id; } @XmlElement public String getName() { return name; } public void setName(String name) { this.name = name; } @XmlElement public String getBirthName() { return birthName; } public void setBirthName(String birthName) { this.birthName = birthName; } @XmlElement public String getBirthDate() { return birthDate; } public void setBirthDate(String birthDate) { this.birthDate = birthDate; } @XmlElement public String getEmail() { return email; } public void setEmail(String email) { this.email = email; } @XmlElement public boolean isActive() { return active; } public void setActive(boolean active) { this.active = active; } @XmlElement public String getImage() { return image; } public void setImage(String image) { this.image = image; } public Actor() { } @Override public String toString() { return "Actor [id=" + id + ", name=" + name + ", birthName=" + birthName + ", birthDate=" + birthDate + ", email=" + email + ", image=" + image + ", active=" + active + "]"; } } WebContent/include/app.js (function() { var app = angular.module("app", ['ngRoute']); app.controller("HttpCtrl", function($scope, $http) { var app = this; $scope.navTitle = 'All Stars'; $scope.operation=""; $scope.isSaveDisabled = true; $scope.isDeleteDisabled = true; var response = $http.get('/AngularWs/rest/actors/'); response.success(function(data) { $scope.actors = data; console.log("[main] # of items: " + data.length) angular.forEach(data, function(element) { console.log("[main] actor: " + element.name); }); }) response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) $scope.getActor = function(id) { var response = $http.get('/AngularWs/rest/actors/'+ id ); response.success(function(data) { $scope.actor = data; $scope.operation="update"; $scope.isSaveDisabled = false; $scope.isDeleteDisabled = false; }) response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) }; $scope.searchActor = function(name) { var app = this; $scope.navTitle = 'Search Criteria'; var response = $http.get('/AngularWs/rest/actors/search/' + name); response.success(function(data) { $scope.actors = data; $scope.$apply(); console.log("[searchActor] # of items: " + data.length) angular.forEach(data, function(element) { console.log("[searchActor] actor: " + element.name); }); }); response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) }; $scope.clearForm = function() { $scope.actor = { id:'', name:'', birthName:'', birthDate:'', email:'', image:'', active:'' }; } $scope.addNew = function(element) { $scope.operation="create"; $scope.clearForm(); main.id.focus(); $scope.isSaveDisabled = false; $scope.isDeleteDisabled = true; } $scope.saveActor = function(id) { $scope.jsonObj = angular.toJson($scope.actor, false); console.log("[update] data: " + $scope.jsonObj); if ($scope.operation == "update") { var response = $http.put('/AngularWs/rest/actors/' + id, $scope.jsonObj); response.success(function(data, status, headers, config) { $scope.resetSearch(); }); response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) } else if ($scope.operation == "create") { var response = $http.post('/AngularWs/rest/actors/add', $scope.jsonObj); response.success(function(data, status, headers, config) { $scope.resetSearch(); }); response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) } }; $scope.deleteActor = function(id) { var response = $http.delete('/AngularWs/rest/actors/' + id); response.success(function(data, status, headers, config) { $scope.resetSearch(); }); response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) }; $scope.resetSearch = function(name) { var app = this; $scope.operation=""; $scope.clearForm(); $scope.isSaveDisabled = true; $scope.isDeleteDisabled = true; $scope.navTitle = 'All Stars'; $scope.searchName = ''; var response = $http.get('/AngularWs/rest/actors/'); response.success(function(data) { $scope.actors = data; $scope.$apply(); console.log("[resetSearch] # of items: " + data.length) }); response.error(function(data, status, headers, config) { alert("AJAX failed to get data, status=" + status); }) }; }); })(); WebContent/include/controller.js /* Controllers */ var app = angular.module('ngdemoApp.controllers', []); // Clear browser cache (in development mode) // // http://stackoverflow.com/questions/14718826/angularjs-disable-partial-caching-on-dev-machine app.run(function ($rootScope, $templateCache) { $rootScope.$on('$viewContentLoaded', function () { $templateCache.removeAll(); }); }); app.controller('DummyCtrl', ['$scope', 'DummyFactory', function ($scope, DummyFactory) { $scope.bla = 'bla from controller'; DummyFactory.query({}, function (data) { $scope.foo = data.firstName; }) }]); app.controller('UserListCtrl', ['$scope', 'UsersFactory', 'UserFactory', '$location', function ($scope, UsersFactory, UserFactory, $location) { /* callback for ng-click 'editUser': */ $scope.getActor = function (userId) { $location.path('/AngularWs/rest/actors/' + userId); }; /* callback for ng-click 'deleteUser': */ $scope.deleteActor = function (userId) { UserFactory.delete({ id: userId }); $scope.users = UsersFactory.query(); }; /* callback for ng-click 'createUser': */ $scope.addNew= function () { $location.path('/AngularWs/rest/actors/add'); }; $scope.actors = UsersFactory.query(); }]); app.controller('UserDetailCtrl', ['$scope', '$routeParams', 'UserFactory', '$location', function ($scope, $routeParams, UserFactory, $location) { /* callback for ng-click 'updateUser': */ $scope.saveActor = function () { UserFactory.update($scope.user); $location.path('/AngularWs/rest/actors/add'); }; /* callback for ng-click 'cancel': */ $scope.cancel = function () { $location.path('/AngularWs/rest/actors'); }; $scope.user = UserFactory.show({id: $routeParams.id}); }]); app.controller('UserCreationCtrl', ['$scope', 'UsersFactory', '$location', function ($scope, UsersFactory, $location) { /* callback for ng-click 'createNewUser': */ $scope.addNew = function () { UsersFactory.create($scope.user); $location.path('/AngularWs/rest/actors'); } }]); WebContent/include/styles.css /* Change color of H1 tag and add Shadow */ h1.custom { font-family: impact, sans-serif; font-size: 30px; color: #5aa8f5; font-style: bold; text-align: left; text-shadow: 2px 3px 5px #444; } table.side { width: 100%; } td.side { border:1px solid #999; border-collapse:collapse; font-family: verdana, sans-serif; font-weight: bold; font-size: 12px; padding-left: 10px; padding-right: 10px; padding-top: 4px; padding-bottom: 4px; } td.side:hover { background: #cbd3fe; } .header { background-color:black; color:white; text-align:center; padding:5px; } .btn { margin-left:10px; } .LeftPanel { line-height:30px; background-color:#eeeeee; height:460px; width:210px; float:left; padding:5px; overflow-y: scroll; } .LeftPanelHeader { background-color: #c0c0c0; color:white; width:183px; clear:both; text-align:center; padding-top:3px; padding-bottom:3px; } .RightPanel { line-height:30px; background-color:#eeeeee; height:460px; width:240px; float:right; padding:5px; } .MainBody { width:600px; float:left; padding:10px; } .footer { background-color:black; color:white; clear:both; text-align:center; padding:5px; } /* Label Style */ .display { font-family: verdana, sans-serif; font-size: 13px; color: #777; } .display_bold { font-family: verdana, sans-serif; font-size: 12px; font-weight: bold; color: #555; } /* Label Style */ label { font-family: verdana, sans-serif; font-size: 13px; color: #777; } /* Double Border */ input { border: 3px double #CCCCCC; } /* Submit Button with Hover Effect*/ .button { background-color: #3366FF; padding-left:20px; padding-right:20px; padding-top:6px; padding-bottom:6px; border-radius: 6px; color: #ffffff; width: 200px; border:1px solid #3366FF;; background-image: url(/form/images/blue_button.png); } .button:hover { background-color: #000000; border:1px solid #000000; background-image: url(/form/images/blue_button_hover.png); } WEB-INF/web.xml <?xml version="1.0" encoding="UTF-8"?> <web-app xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="http://java.sun.com/xml/ns/javaee" xsi:schemaLocation="http://java.sun.com/xml/ns/javaee http://java.sun.com/xml/ns/javaee/web-app_3_0.xsd" id="WebApp_ID" version="3.0"> <display-name>com.omega.rest</display-name> <welcome-file-list> <welcome-file>index.html</welcome-file> <welcome-file>index.jsp</welcome-file> </welcome-file-list> <servlet> <servlet-name>Jersey REST Service</servlet-name> <servlet-class>com.sun.jersey.spi.container.servlet.ServletContainer</servlet-class> <init-param> <param-name>com.sun.jersey.config.property.packages</param-name> <param-value>com.avaldes</param-value> </init-param> <init-param> <param-name>com.sun.jersey.api.json.POJOMappingFeature</param-name> <param-value>true</param-value> </init-param> <load-on-startup>1</load-on-startup> </servlet> <servlet-mapping> <servlet-name>Jersey REST Service</servlet-name> <url-pattern>/rest/*</url-pattern> </servlet-mapping> </web-app> WebContent/index.jsp <html > <head> <title>Show Fruit</title> <meta http-equiv="X-UA-Compatible" content="IE=Edge"> <link href="include/styles.css" rel="stylesheet"> <!-- Use Bootstrap --> <link rel="stylesheet" href="http://maxcdn.bootstrapcdn.com/bootstrap/3.2.0/css/bootstrap.min.css"> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <script src="http://maxcdn.bootstrapcdn.com/bootstrap/3.2.0/js/bootstrap.min.js"></script> <script type="text/javascript" src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.28/angular.min.js"></script> <script type="text/javascript" src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.28/angular-route.min.js"></script> <script type="text/javascript" src="include/app.js"></script> <meta name="viewport" content="width=device-width, initial-scale=1"> </head> <body ng-app="app"> <div ng-controller="HttpCtrl as app"> <div class="container"> <div class="header"> <h1 class="custom">Actors' Favorite Fruits</h1> </div> <div class="leftPanel"> <div class="LeftPanelHeader">{{navTitle}}</div> <table class="side"> <tr ng-repeat="a in actors" ng-click="getActor(a.id)" > <td class="side">{{a.name}}</td> </tr> </table> </div> <div class="RightPanel"> <image src="{{actor.image}}" width="220"> </div> <div class="MainBody"> <form> <table> <tr> <td><input type="text" ng-model="searchName" size="30"></td> <td><button type="button" ng-click="searchActor(searchName)" class="btn btn-primary btn-sm"> <span class="glyphicon glyphicon-search"></span> Search </button></td> <td><button ng-click="addNew()" class="btn btn-primary btn-sm"> <span class="glyphicon glyphicon-plus"></span> Add New </button></td> <td><button ng-click="resetSearch()" class="btn btn-info btn-sm"> <span class="glyphicon glyphicon-refresh"></span> Reset Search </button></td> </tr> </table> </form> <form id="main"> <table> <tr> <td class="display_bold"><label for="actor.name">ID:</label></td> </tr> <tr> <td class="display"><input id="id" type="text" ng-model="actor.id" size="4"></td> </tr> <tr> <td class="display_bold"><label for="name">Fruit:</label></td> </tr> <tr> <td class="display"><input type="text" ng-model="actor.name" size="30"></td> </tr> <tr> <td class="display_bold"><label for="name">Favorite Fruit Of:</label></td> </tr> <tr> <td class="display"><input type="text" ng-model="actor.birthName" size="40"></td> </tr> <tr> <td class="display_bold"><label for="name">Birth Date:</label></td> </tr> <tr> <td class="display"><input type="text" ng-model="actor.birthDate" size="20"></td> </tr> <tr> <td class="display_bold"><label for="name">Email:</label></td> </tr> <tr> <td class="display"><input type="text" ng-model="actor.email" size="30"></td> </tr> <tr> <td class="display_bold"><label for="name">Image:</label></td> </tr> <tr> <td class="display"><input type="text" ng-model="actor.image" size="80"></td> </tr> <tr> <td class="display_bold"><label for="name">IsActive:</label></td> </tr> <tr> <td class="display"><input type="text" ng-model="actor.active" size="10"></td> </tr> <tr> <td> </td> </tr> <tr> <td> <table> <tr> <td><button ng-click="saveActor(actor.id)" class="btn btn-success btn-sm" title="Save actor's details..." ng-disabled="isSaveDisabled"> <span class="glyphicon glyphicon-plus"></span> Save </button></td> <td><button ng-click="deleteActor(actor.id)" class="btn btn-danger btn-sm" ng-disabled="isDeleteDisabled"> <span class="glyphicon glyphicon-trash"></span> Delete </button></td> </tr> </table> </td> </tr> </table> </form> </div> <div class="footer">AngularJS Demo </div> </div> </body> </html> WebContent/Log4j.xml <?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE log4j:configuration PUBLIC "-//APACHE//DTD LOG4J 1.2//EN" "log4j.dtd"> <log4j:configuration xmlns:log4j="http://jakarta.apache.org/log4j/"> <!-- Appenders --> <appender name="console" class="org.apache.log4j.ConsoleAppender"> <param name="Target" value="System.out" /> <layout class="org.apache.log4j.PatternLayout"> <param name="ConversionPattern" value="%-5p: %c - %m%n" /> </layout> </appender> <!-- Application Loggers --> <logger name="com.avaldes"> <level value="info" /> </logger> <!-- Root Logger --> <root> <priority value="warn" /> <appender-ref ref="console" /> </root> </log4j:configuration> Export the war file in Eclipse and deploy it under Tomcat 8 Goto: Localhost:8090/AngularWs To see the results For this to work in IE11 Place this at the TOP of the <head> tag <meta http-equiv="X-UA-Compatible" content="IE=Edge">