Writting to file(need yr help)--- URGENT

HI , i need the data "text field " from data base to be in one line with "@!" if more than 36000 char it will be apend "@@" but still i am not able to get the output.
i need the only col "text" tobe in one line . and attached the code.
CAN ANY ONE HELP ME OUT.........
private void writeField(BufferedWriter w, String dbfield, int width) throws Exception {
               if (dbfield == null) {
                         dbfield = " ";
               w.write(dbfield);
               int diff = 0;
               if (dbfield.length() < width) {
                         diff = width - dbfield.length();
                         for (int i = 1; i <= diff; i++)
                                   w.write(" ");
// i am calling the write method.
private boolean writeData() {
               String columnType = null;
               String val = null;
               try {
                    BufferedWriter w = new BufferedWriter(
                              new OutputStreamWriter(
                                        new FileOutputStream(
                                                  "C:\\Documents and Settings\\mdash\\Desktop\\java_Project_work\\TEXT2.ftm"),
                                        "8859_1"));
                    while (rs.next()) {
                         for (int i = 1; i <= noOfColumns; i++) {
                              val = (String)rs.getString(metaData.getColumnName(i));
                              if (((String)colNameAL.get(i-1)).equals("text")) {
                                   if (val!=null)
                                        val=val.replaceAll("\n", "\r");
                                        val =val.replaceAll("\r", "@!").trim();
                                   writeField(w, val, 36000);
                              } else {
                                   if (val!=null)
                                   //     val=val.replaceAll("\n", "\r");
                                        val=val.replaceAll("\n", "@@");
                                   writeField(w, val,(int)metaData.getColumnDisplaySize(i));
                              if (i != noOfColumns)
                                   w.write(" ");
                         w.write("\n");
                    w.flush();
                    w.close();
                    if (con != null) {
                         try {
                              con.close();
                         } catch (SQLException e) {
                              e.printStackTrace();
                    System.out.println("Done");
                    return true;
               } catch (Exception e) {
                    e.printStackTrace();
                    return false;
          }

this code is writting 2 files with and the files have to come in one line text , but it is comming in multiple line . thinking some problem in the
if (((String)colNameAL.get(i-1)).equals("text")) {
                                   if (val!=null)
                                        val=val.replaceAll("\n", "\r");
                                        val =val.replaceAll("\r", "@!");
                                   writeField(w, val, 36000);
                              } else {
                                   if (val!=null)
                                   //     val=val.replaceAll("\n", "\r");
                                        val=val.replaceAll("\n", "@@");
                                   writeField(w, val,(int)metaData.getColumnDisplaySize(i));
                              }//// i am trying to repalce with " \r " still it is throwing error.

Similar Messages

  • I need you help urgently my job is on the line

    I really need you help it is very urgent as my job is in trouble! In may my I phone got lost I had all back up on my me account and Managed to save my contact list on my I pad however the next day after my I phone got stolen , the mobile me was closed and when I started using I cloud I could not find my list.
    I never update my I pad to I tunes but recently when I got my I phone 5 and my mini I pad by mistake when I was synchronizing all the list got deleted ! Please help me I need to get it bk! If you can manage to find it somewhere please help me find the contact list.
    Thank you

    If you were syncing your contacts with your computer via MobileMe then your contacts should be in the contact manager you sync with on your computer.
    If not, and you haven't maintained offline backups of your contacts, or didn't move your account to iCloud before last June, and haven't ever synced your devices to your computer then your data is gone. It can't be retrieved because it doesn't exist anywhere else, as you haven't followed Apple's directions for backing up and syncing.

  • Working on a script to search for and move files - need Guru help!

    Hi, I'm trying to help my dad with a task and my outdated Applescript knowledge isn't helping me much.
    Here's what I need to do in a nutshell:
    FolderA contains a bunch of JPG files.
    FolderB is the root of a hierarchy of folders containing DNG files.
    Each file of FolderA has a mating file (same name but with .DNG) somewhere in the hierarchy of FolderB.
    The goal is to move each JPG file from Folder A to the folder containing it's mate.
    So, the basic flow is:
    1. Get list of files in folderA
    2. Looping through list, strip out file name (fileA) and find the DNG file somewhere inside FolderB
    3. Get the path of the folder containing the matching DNG file
    4. Copy/move FileA to the folder.
    5. Loop back to #2
    OK, so here's where I am:
    tell application "Finder"
    set JPEGfolder to "Macintosh HD:DadTest1:DadA"
    set DNGfolder to "Macintosh HD:DadTest1:DadB"
    set a_list to every file in Afolder
    repeat with i from 1 to number of items in a_list
    -- Everything happens within this loop
    set a_file to (item i of a_list)
    set fileInfo to info for a_file
    set theName to displayed name of fileInfo as string
    -- now theName contains the actual file name minus the extension
    At this point I don't know how to search for the mating file using Applescript. If I was in UNIX I could do a "find . -name filename" and parse out the path, but I don't know how this works in Applescript.
    I think I can figure out how to move the file once I have the path, but the search routine has me stumped for now.
    Any thoughts?
    Thanks!

    In my opinion your best bet is to take a 180° turn and simplify things significantly.
    Your current approach involves multiple file searches - for each file in the JPEG folder, search all the DNG folders looking for a match. That's an large number of searches, and a large number of something that AppleScript isn't great at.
    Instead you'd be far better off walking once through the DNG folders. For each DNG file look for a matching JPG file in the one folder that contains JPEGs. This would be exponentially faster - one walk through the filesystem vs. one walk through the filesystem for every JPEG.
    This should give you an idea of what I'm talking about (untested):
    global JPEGfolder
    on run
      set JPEGfolder to alias "Macintosh HD:DadTest1:DadA"
      set DNGfolder to alias "Macintosh HD:DadTest1:DadB"
      processAFolder(DNGfolder)
    end run
    on processAFolder(theFolder)
      tell application "Finder"
        repeat with eachItem in folder theFolder
          if class of eachItem is file and name extension of eachItem is "dng" then
            set basename to characters 1 through -5 of (get name of eachItem)
            try
              move file (basename & ".jpg") of folder JPEGfolder to folder theFolder
            end try
          else if class of eachItem is folder then
            my processAFolder(eachItem)
          end if
        end repeat
      end tell
    end processAFolder
    The idea here is that you start off in the top folder and iterate through each item. If the item is a file and it's name extension is DNG then try to move a corresponding file from the JPEG folder to the current folder. This is wrapped in a try block so the script doesn't fail if there is no corresponding JPG.
    If the current item is a folder then the script descends into that folder by calling itself.

  • 2 seperate class files, need some help

    Hi,
    Um, incase you didn't notice, I'm new to java. The closest to Java that I've ever been was C#. But anyways:
    I have 2 class files. One of them is a main form, and the other one is a simple dialog form. Is there a way that I can make the main form show the dialog form say, by clicking a button? I know how to create a button and do something when the button is clicked, I just don't know how to make one form show another one without having the code for both forms in one file. By the way, I'm making it in Swing if that makes a difference. Also, code examples would help, thanks.

    Hi,
    Um, incase you didn't notice, I'm new to java.The way about every second posts starts in here. Thanks for pointing it out, I wouldn't have guessed. :p
    The
    closest to Java that I've ever been was C#. But
    anyways:
    I have 2 class files. One of them is a main form, and
    the other one is a simple dialog form.
    Is there a way
    that I can make the main form show the dialog form
    say, by clicking a button?Yes, of course.
    I know how to create a
    button and do something when the button is clicked, I
    just don't know how to make one form show another one
    without having the code for both forms in one file.Uhm. Just something similar to
    MyDialog d = new myDialog(theFrameToBeModalTo);
    d.show();?
    What does it have to do with files? Java doesn't care about files.
    By the way, I'm making it in Swing if that makes a
    difference. Also, code examples would help, thanks.All code examples you need are here:
    http://java.sun.com/docs/books/tutorial/

  • Properties File - need some help

    hello, Im trying to figure out how to work with the Properties class. I think it can handle what i'm trying to accomplish. Maybe someone can point me in the direction of some rookie material to read. But anyway heres my dilemma. I need to create some form of structured message that can be saved (properties file), but i don't know how to structure it in the way specified.
    For example, say the message has 3 fields: ID(unsigned int), TIME(unsigned long int), and SIZE(unsigned int)
    I want ID to take up the first 2-bytes of the message, TIME to take the next 4, and SIZE have the remaing 4. Whats the best way to create this? I'm new to this stuff, and looking for some direction...i don't know where to start

    Take a look at the API docs for java.io.DataOutputStream and java.io.DataInputStream. If you are serializing these to the filesystem, you will want to wrap a java.io.FileOutputStream and java.io.FileInputStream with the appropriate data stream type.
    - Saish

  • Need java help urgent plzzz

    Ive never visited a Java forum other than this one and its been over 2 years now. Out of curiosity I just went to JavaRanch.
    Ive seen a lot of heated flaming from both sides (on these forums)
    but i figured id take a look today.
    The FIRST post i look at someone asks what the purpose of an
    interface is and one of the responses he gets is:
    "Please revise your display name to meet the JavaRanch Naming Policy. To maintain the friendly atmosphere here at the ranch, we like folks to use real (or at least real-looking) names, with a first and a last name.
    You can edit your display name here. Thank you for your prompt attention!"
    i wish i could go to 33 pt font: WTF IS THAT?
    WEIRD!
    Thats just way to creepy for me and im out... as if the brown and the
    meesen (brian regan joke) everywhere werent enough.
    Anyone know any other good ones?
    http://saloon.javaranch.com/cgi-bin/ubb/ultimatebb.cgi?ubb=get_topic&f=33&t=019908

    JavaRanch scares me as well. Yea i think the ranch is making an army of cattle.
    Ill check out devshed.
    http://www.javaranch.com/name.jsp
    SO F*CKING SCARY:
    "I understand that in some cultures there is no such thing as "first name and last name" - there is just one name. If you are one of these people, I WOULD LIKE TO HUMBLY ASK YOU TO SACRIFICE A PIECE OF YOUR CULTURE to help me build this culture."
    apparently the cows love the policy though:
    http://saloon.javaranch.com/cgi-bin/ubb/ultimatebb.cgi?ubb=get_topic&f=10&t=001017

  • Need ur Help (Urgent)

    Hi all,
    Please give me a solution to the below problem.
    I’m executing an interactive report is executed for extracting the total cost value of product hierarchy, at first time the total cost is correct.
    But when we go back from 5th list to the 4th list and once again select the part number for viewing the total cost doubled and shows the incorrect cost for the part number.
    If once again I go back and select the part number to view the cost, then the cost value is Thrice to the original value and shows the incorrect cost for the part number.
    Thanks,
    Kanth

    Hi Kanth,
    The cost value needs to be cleared (initialized to zero) each time an action is performed.
    Use a CLEAR statement to clear the variable at the beginning.
    CLEAR <var1>
    This will always initialize the value to zero every time an activity takes place, and the value will not get doubled or tripled.
    Cheers.

  • Hi friends i need ur help (urgent)

    Hi friends,
    i have one requirment  any one can please suggest me how can it do
    i have one <b>planing hirarachy</b> like
    in one internal table or table i have the data like
    internal table (itab)
    <b>fields are                    a                     b                   c             
    data                        bike                herohonda       splender
                                  bike                herohonda        pulsar     
                                 scooty                  aaaa             xxxxx
                                  scooty                  bbbbb           yyyy</b>
    in the selection screen when the user selects the <b>a filed as</b>
      <b> bike</b>    he has to get <b>herohonda</b>  in <b>b</b> field  only    .in the third field he gets <b>splender and pulsar</b> only <b>not xxxxx and yyyy</b>    
    if user selects <b>scooty</b> in <b>a</b> filed the possible entries in <b>b</b> filed
    shoul be <b>aaaa and bbbbb</b> if he selects <b>aaaa</b> in the <b>b</b> field the possible entrie in c field should be xxxxx only.
    if he selects <b>bbbbb</b> in <b>b field</b> the possible entrie in c field should be <b>yyyy</b> only.
    Please send me how to do it
    Regards,
    balu.

    Hello Balu,
    See if this program helps, it is roughly based on the same concept
    REPORT  ztest987 MESSAGE-ID zpp .
    TYPE-POOLS: vrm, slis.
    DATA: lifnr LIKE lfa1-lifnr.
    DATA: v_repid LIKE sy-repid .
    DATA: plnt(10) TYPE n, flg TYPE i.
    DATA: name TYPE vrm_id,
    mrp(55) TYPE c,
    list TYPE vrm_values,
    var1(10) TYPE c,
    var2(30) TYPE c,
    value LIKE LINE OF list.
    DATA:BEGIN OF itabt024d OCCURS 0,
    dispo LIKE t024d-dispo,
    dsnam LIKE t024d-dsnam,
    conc(55) TYPE n,
    END OF itabt024d.
    DATA:BEGIN OF strumarc,
    matnr LIKE marc-matnr,
    maktx LIKE makt-maktx,
    END OF strumarc.
    DATA: i_fieldcat TYPE slis_t_fieldcat_alv WITH HEADER LINE.
    DATA: itabmarc LIKE strumarc OCCURS 0 WITH HEADER LINE.
    DATA:itabt001w LIKE TABLE OF t001w WITH HEADER LINE.
    RANGES: r_werks FOR t001w-werks,
    r_mrpdesc FOR itabt024d-dispo .
    r_werks-option = 'EQ'.
    r_werks-sign = 'I'.
    r_mrpdesc-option = 'EQ'.
    r_mrpdesc-sign = 'I'.
    SELECTION-SCREEN BEGIN OF BLOCK b1 WITH FRAME TITLE text-001.
    PARAMETERS: plant LIKE r_werks AS LISTBOX VISIBLE LENGTH 10
    USER-COMMAND
    c1 MODIF ID pln.
    PARAMETERS: vendor LIKE r_mrpdesc AS LISTBOX VISIBLE LENGTH 50 MODIF ID
    det USER-COMMAND c1.
    SELECTION-SCREEN END OF BLOCK b1.
    INITIALIZATION.
      flg = 1.
      IF flg = 1.
        CLEAR vendor.
        CLEAR plant.
      ENDIF.
    AT SELECTION-SCREEN.
    AT SELECTION-SCREEN OUTPUT.
      PERFORM fetch_plant.
    AT SELECTION-SCREEN ON plant.
      PERFORM fetch_mrp.
    AT SELECTION-SCREEN ON vendor.
      PERFORM materials.
    START-OF-SELECTION.
      REFRESH i_fieldcat.
      i_fieldcat-col_pos = 1 .
      i_fieldcat-fieldname = 'MATNR'.
      i_fieldcat-seltext_m = 'Part No'.
      i_fieldcat-outputlen = 30.
      i_fieldcat-fix_column = 'X'.
      APPEND i_fieldcat.
      CLEAR i_fieldcat.
      i_fieldcat-col_pos = 2 .
      i_fieldcat-fieldname = 'MAKTX'.
      i_fieldcat-seltext_m = 'Part Description'.
      i_fieldcat-outputlen = 30.
      i_fieldcat-fix_column = 'X'.
      APPEND i_fieldcat .
      CLEAR i_fieldcat.
      v_repid = sy-repid.
      CALL FUNCTION 'REUSE_ALV_GRID_DISPLAY'
        EXPORTING
          i_callback_program = v_repid
          i_grid_title       = 'Parts Under Selected MRP Controller'
          it_fieldcat        = i_fieldcat[]
        TABLES
          t_outtab           = itabmarc.
    *&      Form  ASSIGN_LISTBOX_VALUES
    *       text
    FORM assign_listbox_values .
      REFRESH list.
      IF flg = 1.
        LOOP AT r_werks.
          name = 'PLANT'.
          value-key = r_werks-low.
          value-text = r_werks-low.
          APPEND value TO list.
        ENDLOOP.
        CALL FUNCTION 'VRM_SET_VALUES'
          EXPORTING
            id     = name
            values = list.
        CLEAR plant.
      ELSEIF flg = 0.
        CLEAR itabt024d-conc.
        LOOP AT itabt024d.
          name = 'VENDOR'.
          value-key = itabt024d-dispo.
          value-text = itabt024d-conc.
          APPEND value TO list.
        ENDLOOP.
        CALL FUNCTION 'VRM_SET_VALUES'
          EXPORTING
            id     = name
            values = list.
      ENDIF.
    ENDFORM. " ASSIGN_LISTBOX_VALUES
    *&      Form  GET_LIST_DATA
    *       text
    FORM get_list_data .
      REFRESH list.
      IF flg = 1.
        SELECT DISTINCT werks FROM t001w INTO r_werks-low.
    *    WHERE kunnr EQ 'TSL' OR kunnr EQ '0000050001'.
          APPEND r_werks.
        ENDSELECT.
        CLEAR r_werks.
        SORT r_werks ASCENDING.
        DELETE ADJACENT DUPLICATES FROM r_werks.
        CLEAR r_werks.
      ELSEIF flg = 0.
        CLEAR itabt024d.
        CLEAR itabt024d-conc.
        SELECT dispo dsnam INTO TABLE itabt024d FROM t024d
        WHERE werks EQ plant.
        CLEAR itabt024d.
        SORT itabt024d ASCENDING.
        DELETE ADJACENT DUPLICATES FROM itabt024d.
        CLEAR itabt024d.
        LOOP AT itabt024d.
          CONCATENATE itabt024d-dispo ' - ' itabt024d-dsnam INTO itabt024d-conc.
          MODIFY itabt024d.
        ENDLOOP.
      ENDIF.
    ENDFORM. " get_list_data
    *&      Form  FETCH_PLANT
    *       text
    FORM fetch_plant .
      REFRESH list.
      IF flg = 1.
        LOOP AT SCREEN.
          IF screen-group1 = 'DET'.
            screen-input = '0'.
            MODIFY SCREEN.
          ENDIF.
        ENDLOOP.
        PERFORM get_list_data.
        PERFORM assign_listbox_values.
        flg = 0.
      ENDIF.
    ENDFORM. " fetch_plant
    *&      Form  FETCH_MRP
    *       text
    FORM fetch_mrp .
      REFRESH list.
      CLEAR vendor.
      IF flg = 0 .
        CONDENSE plant.
        IF plant NE ' '.
          LOOP AT SCREEN.
            IF screen-group1 = 'DET'.
              screen-active = '0'.
              MODIFY SCREEN.
            ENDIF.
          ENDLOOP.
          PERFORM get_list_data.
          PERFORM assign_listbox_values.
        ENDIF.
        flg = 2.
      ENDIF.
    ENDFORM. " fetch_mrp
    *&      Form  MATERIALS
    *       text
    FORM materials .
      IF flg = 2.
        IF vendor NE ' '.
          CONDENSE vendor.
          SELECT matnr INTO CORRESPONDING FIELDS OF
          TABLE itabmarc FROM marc WHERE werks EQ plant
          AND dispo EQ vendor.
          CLEAR itabmarc.
          LOOP AT itabmarc.
            SELECT maktx FROM makt INTO (itabmarc-maktx) WHERE matnr =
            itabmarc-matnr.
              MODIFY itabmarc.
            ENDSELECT.
          ENDLOOP.
          CLEAR itabmarc.
        ENDIF.
      ENDIF.
    ENDFORM. " materials

  • Recovery Softwares needed, please help urgent.

    By mistake a user from the company format his secondary HDD (Data HDD) which content all his data.
    Please can anyone help me to restore this HDD.
    He formats it using Don't eras data mode, so the data is still on the HDD but unreachable.
    Please any ideas or hint.
    Thanks in advance

    Hi,
    my first (and maybe only choice) would be DiskWarrior http://www.alsoft.com/DiskWarrior/index.html
    Or Drive Genius 2 http://www.prosofteng.com/products/drive_genius.php
    Both should help with that problem.
    Good Luck
    Stefan

  • Need for help urgently

    i use set which child(int childnum)
    but it doesn't draw the selected child
    it draws the last selected child in for loop
    don't when satsify the condition draw the child of this condition
    it draws the the child of last satsified condition at function draw flow
    i want to know the reason and how i solve it?
    package MockPrototype;
    import java.io.*;
    import java.lang.reflect.Array;
    import java.applet.Applet;
    import java.awt.*;
    import java.awt.event.*;
    import java.util.ArrayList;
    import java.util.BitSet;
    import java.util.Hashtable;
    import javax.media.j3d.*;
    import javax.swing.JFrame;
    import javax.vecmath.*;
    //import ExSwitch.NameChildMask;
    import com.sun.j3d.utils.geometry.*;
    import com.sun.j3d.utils.universe.*;
    import com.sun.j3d.loaders.Scene;
    import com.sun.j3d.loaders.objectfile.ObjectFile;
    import com.sun.j3d.loaders.ParsingErrorException;
    import com.sun.j3d.loaders.IncorrectFormatException;
    import com.sun.j3d.utils.behaviors.vp.*;
    import com.sun.j3d.utils.behaviors.interpolators.*;
    import com.sun.org.apache.xalan.internal.xsltc.cmdline.Transform;
    * This program demonstrates the use of KBRotPosScaleSplinePathInterpolator
    * in order to to do spline animation paths using Kochanek-Bartels (also
    * known as TCB or Tension-Continuity-Bias ) splines. A cone red cone
    * is animated along a spline path specified by 5 knot points, which
    * are showns as cyan spheres.
    * Use the left mouse button to changes orientation of scene.
    * Use the middle mouse button to zoom in/out
    * Use the right mouse button to pan the scene
    public class FlowProcess extends JFrame implements ActionListener,
                                                      AdjustmentListener,
                                                      ItemListener
        // 3D Canvas
        Canvas3D           canvas;
        // UI Components
        Panel              controlPanel;
        Panel              canvasPanel;
        Button             animateButton;
        Choice             interpChoice;
        Scrollbar          speedSlider;
        Label              speedLabel;
        Label              interpLabel;
        // Scene Graph
        BoundingSphere     bounds;
        BranchGroup        sceneRoot;
        BranchGroup        behaviorBranch;
        Transform3D        sceneTransform;
        TransformGroup     sceneTransformGroup;
        ArrayList <Transform3D>        objTransform0;
        ArrayList <Transform3D>        objTransform1;
        ArrayList <Transform3D>        objTransform2;
        ArrayList <TransformGroup>     objTransformGroup0;
        ArrayList <TransformGroup>     objTransformGroup1;
        ArrayList <TransformGroup>     objTransformGroup2;
        Transform3D        lightTransform1;
        Transform3D        lightTransform2;
        TransformGroup     light1TransformGroup;
        TransformGroup     light2TransformGroup;
        Color3f aColor     = new Color3f(0.2f, 0.2f, 0.2f);
        Color3f eColor     = new Color3f(0.0f, 0.0f, 0.0f);
        Color3f sColor     = new Color3f(1.0f, 1.0f, 1.0f);
        Color3f coneColor  = new Color3f(0.9f, 0.1f, 0.1f);
        Color3f coneColor1  = new Color3f(0.0f, 0.1f, 0.1f);
        Color3f coneColor2  = new Color3f(0.7f, 0.1f, 0.1f);
        Color3f sphereColor= new Color3f(0.1f, 0.7f, 0.9f);
        Color3f bgColor    = new Color3f(0.0f, 0.0f, 0.0f);
        Color3f lightColor = new Color3f(1.0f, 1.0f, 1.0f);
        // Key Frames & Interpolator
        int                                  duration = 5000;
        Alpha                                animAlpha;
        Transform3D                          yAxis;
        KBKeyFrame[]                         linearKeyFrames = new KBKeyFrame[2];
        KBRotPosScaleSplinePathInterpolator  linearInterpolator;
        // Data: Knot positions & transform groups
        Vector3f            pos0 = new Vector3f (0.0f, 0.0f, 0.0f);
        Vector3f            pos1 = new Vector3f (0.0f,  20.0f, 0.0f);
        Vector3f            pos2 = new Vector3f ( 20.0f,  0.0f, 0.0f);
       /* Vector3f            pos3 = new Vector3f ( 0.0f, -5.0f,  0.0f);
        Vector3f            pos4 = new Vector3f ( 5.0f, -5.0f,  0.0f);
        Vector3f            pos5 = new Vector3f ( 5.0f,  5.0f,  0.0f);*/
        Point3f []po = new Point3f[3];
        po[0]=new Point3f(pos0);
        po[1]=new Point3f(pos1);
        po[2]=new Point3f(pos2);
        TransformGroup     k0TransformGroup;
        TransformGroup     k1TransformGroup;
        TransformGroup     k2TransformGroup;
        TransformGroup     k3TransformGroup;
        TransformGroup     k4TransformGroup;
        TransformGroup     k5TransformGroup;
        Group scene;
        protected TransformGroup exampleViewTransform = null;
         protected TransformGroup exampleSceneTransform = null;
         private DirectionalLight headlight = null;
         private SharedGroup column = new SharedGroup( );
         public final static Color3f White    = new Color3f( 1.0f, 1.0f, 1.0f );
         private boolean shouldCompile = true;
         private Switch swtch0 = null;
         private Switch swtch1 = null;
         private Switch swtch2 = null;
         private int currentSwitch = 0;
        // Flags
        boolean            animationOn = false;
        boolean            linear      = false;
    //   private SimpleUniverse u = null;
        int [][][]customerFlow;
        int unitsno;
       /* public FlowProcess() {
        public FlowProcess(int [][][]customerFlowNO,int unit) {
             customerFlow=customerFlowNO;
             this.setLayout(new FlowLayout());  
             objTransform0=new ArrayList(0);
             objTransform1=new ArrayList(0);
             objTransform2=new ArrayList(0);
            objTransformGroup0=new ArrayList(0);
            objTransformGroup1=new ArrayList(0);
            objTransformGroup2=new ArrayList(0);
            // Create the canvas and the UI
            canvasPanel = new Panel();
            controlPanel = new Panel();
            createCanvasPanel(canvasPanel);
            this.add(canvasPanel);
            createControlPanel(controlPanel);
            this.add(controlPanel);
            this.setVisible(true);
            this.setDefaultCloseOperation(EXIT_ON_CLOSE);
            this.setSize(500,600);
            unitsno=unit;
        public void destroy() {
         //u.cleanup();
         * This creates the control panel which contains a choice menu to
         * toggle between spline and linear interpolation, a slider to
         * adjust the speed of the animation and a animation start/stop
         * button.
        private void createControlPanel(Panel p) {
            GridBagLayout      gl  = new GridBagLayout();
            GridBagConstraints gbc = new GridBagConstraints();
            p.setLayout (gl);
            gbc.weightx = 100;  gbc.weighty = 100;
            gbc.fill = GridBagConstraints.BOTH;
            gbc.gridx = 0;  gbc.gridy = 5;
            gbc.gridwidth = 2;  gbc.gridheight = 1;
            animateButton = new Button("Stop Animation");
            p.add(animateButton, gbc);
            animateButton.addActionListener (this);
         * This creates the Java3D canvas
        private void createCanvasPanel(Panel p) {
            GridBagLayout      gl  = new GridBagLayout();
            GridBagConstraints gbc = new GridBagConstraints();
            p.setLayout(gl);
            gbc.gridx = 0;  gbc.gridy = 0;
            gbc.gridwidth = 5;  gbc.gridheight = 5;
            GraphicsConfiguration config =
               SimpleUniverse.getPreferredConfiguration();
            canvas = new Canvas3D(config);
            canvas.setSize(490,490);
            p.add(canvas,gbc);
         public Group buildScene( )
              Group scene = new Group( );
              KBKeyFrame []KKF;
              swtch0 = new Switch( );
              swtch1 = new Switch( );
              swtch2 = new Switch( );
              swtch0.setCapability( Switch.ALLOW_SWITCH_WRITE );
              swtch1.setCapability( Switch.ALLOW_SWITCH_WRITE );
              swtch2.setCapability( Switch.ALLOW_SWITCH_WRITE );
              swtch0.setCapability( Switch.ALLOW_SWITCH_READ );
              swtch1.setCapability( Switch.ALLOW_SWITCH_READ );
              swtch2.setCapability( Switch.ALLOW_SWITCH_READ );
              objTransform0.add(0,new Transform3D());
             objTransformGroup0.add(0,new TransformGroup(objTransform0.get(0)));
             objTransformGroup0.get(0).setCapability(TransformGroup.ALLOW_TRANSFORM_WRITE);
             Material m1 = new Material(coneColor, eColor, coneColor, sColor, 100.0f);
             Appearance a1 = new Appearance();
             m1.setLightingEnable(true);
             a1.setMaterial(m1);
             Sphere sp1 = new Sphere(0.2f);
             sp1.setAppearance(a1);
             objTransformGroup0.get(0).addChild(sp1);
              swtch0.addChild(objTransformGroup0.get(0));
              objTransform1.add(0,new Transform3D());
             objTransformGroup1.add(0,new TransformGroup(objTransform1.get(0)));
             objTransformGroup1.get(0).setCapability(TransformGroup.ALLOW_TRANSFORM_WRITE);
             Material m5 = new Material(coneColor, eColor, coneColor, sColor, 100.0f);
             Appearance a5 = new Appearance();
             m5.setLightingEnable(true);
             a5.setMaterial(m5);
             Sphere sp5 = new Sphere(0.3f);
             sp5.setAppearance(a5);
             objTransformGroup1.get(0).addChild(sp5);
              swtch0.addChild(objTransformGroup1.get(0));
              objTransform2.add(0,new Transform3D());
             objTransformGroup2.add(0,new TransformGroup(objTransform2.get(0)));
             objTransformGroup2.get(0).setCapability(TransformGroup.ALLOW_TRANSFORM_WRITE);
             Material m7 = new Material(coneColor, eColor, coneColor, sColor, 100.0f);
             Appearance a7 = new Appearance();
             m7.setLightingEnable(true);
             a7.setMaterial(m7);
             Sphere sp7 = new Sphere(0.6f);
             sp7.setAppearance(a7);
             objTransformGroup2.get(0).addChild(sp7);
              swtch0.addChild(objTransformGroup2.get(0));
              //swtch.setBounds(bounds);
              scene.addChild( swtch0 );
              //scene.addChild( swtch1 );
              //scene.addChild( swtch2 );
              return scene;
         * This creates the scene with 5 knot points represented by cyan
         * spheres, a cone obejct that will be transformed, and two directional
         * lights + and ambient light.
        public void createSceneGraph() {
             SimpleUniverse universe=new SimpleUniverse (canvas);
              Viewer viewer = universe.getViewer( );
              ViewingPlatform viewingPlatform = universe.getViewingPlatform( );
              exampleViewTransform = viewingPlatform.getViewPlatformTransform( );
              OrbitBehavior orbit = new OrbitBehavior(canvas,OrbitBehavior.REVERSE_ALL);          
              //BoundingSphere allBounds = new BoundingSphere(new Point3d(0.0, 0.0, 0.0), 100.0);
              BoundingSphere bounds =
                  new BoundingSphere(new Point3d(0.0, 0.0, 0.0), 100.0);
              orbit.setSchedulingBounds(bounds);
              viewingPlatform.setViewPlatformBehavior(orbit);
    //                Build the scene root
                    sceneRoot = new BranchGroup( );
                   // Build a transform that we can modify
                   exampleSceneTransform = new TransformGroup( );
                   exampleSceneTransform.setCapability(
                        TransformGroup.ALLOW_TRANSFORM_READ );
                   exampleSceneTransform.setCapability(
                        TransformGroup.ALLOW_TRANSFORM_WRITE );
                   exampleSceneTransform.setCapability(
                        Group.ALLOW_CHILDREN_EXTEND );
                   Group scene = this.buildScene( );
                   exampleSceneTransform.addChild( scene );
                   sceneRoot.addChild( exampleSceneTransform );
    //                Create transforms such that all objects appears in the scene
                    sceneTransform = new Transform3D();
                    sceneTransform.setScale(0.14f);
                    Transform3D yrot = new Transform3D();
                    yrot.rotY(-Math.PI/5.0d);
                    sceneTransform.mul(yrot);
                    sceneTransformGroup = new TransformGroup(sceneTransform);
                    sceneTransformGroup.setCapability(TransformGroup.ALLOW_TRANSFORM_WRITE);
                    sceneTransformGroup.setCapability(TransformGroup.ALLOW_TRANSFORM_READ);
                    sceneRoot.addChild(sceneTransformGroup);
    //                Create bounds for the background and lights
                    bounds =  new BoundingSphere(new Point3d(0.0,0.0,0.0), 100.0f);
                    // Set up the background
                    Background bg = new Background(bgColor);
                    bg.setApplicationBounds(bounds);
                    sceneTransformGroup.addChild(bg);
                    // Create the transform group node for the lights
                    lightTransform1 = new Transform3D();
                    lightTransform2 = new Transform3D();
                    Vector3d lightPos1 =  new Vector3d(0.0, 0.0, 2.0);
                    Vector3d lightPos2 =  new Vector3d(1.0, 0.0, -2.0);
                    lightTransform1.set(lightPos1);
                    lightTransform2.set(lightPos2);
                    light1TransformGroup = new TransformGroup(lightTransform1);
                    light2TransformGroup = new TransformGroup(lightTransform2);
                    sceneTransformGroup.addChild(light1TransformGroup);
                    sceneTransformGroup.addChild(light2TransformGroup);
                    // Create lights
                    AmbientLight ambLight = new AmbientLight(aColor);
                    Light        dirLight1;
                    Light        dirLight2;
                    Vector3f lightDir1 = new Vector3f(lightPos1);
                    Vector3f lightDir2 = new Vector3f(lightPos2);
                    lightDir1.negate();
                    lightDir2.negate();
                    dirLight1 = new DirectionalLight(lightColor, lightDir1);
                    dirLight2 = new DirectionalLight(lightColor, lightDir2);
                    // Set the influencing bounds
                    ambLight.setInfluencingBounds(bounds);
                    dirLight1.setInfluencingBounds(bounds);
                    dirLight2.setInfluencingBounds(bounds);
                    // Add the lights into the scene graph
                    sceneTransformGroup.addChild(ambLight);
                    sceneTransformGroup.addChild(dirLight1);
                    sceneTransformGroup.addChild(dirLight2);
                   // Create transform groups for each knot point
                    // knot point 0
                    Transform3D t3dKnot = new Transform3D();
                    t3dKnot.set (pos0);
                    TransformGroup k0TransformGroup = new TransformGroup(t3dKnot);
                    Material m4 = new Material(new Color3f(Color.YELLOW), eColor,new Color3f(Color.YELLOW), sColor, 100.0f);
                    Appearance a4 = new Appearance();
                    m4.setLightingEnable(true);
                    a4.setMaterial(m4);
                    Box box = new Box(2.0f,2.0f,2.0f,a4);
                    box.setAppearance(a4);
                   // column.addChild(box);
                    k0TransformGroup.addChild(box/*new Link(column)*/);
                    sceneTransformGroup.addChild(k0TransformGroup);
                    // knot point 1
                    t3dKnot = new Transform3D();
                    t3dKnot.set (pos1);
                    TransformGroup k1TransformGroup = new TransformGroup(t3dKnot);
                    Material m5 = new Material(new Color3f(Color.CYAN), eColor, new Color3f(Color.CYAN), sColor, 100.0f);
                    Appearance a5 = new Appearance();
                    m5.setLightingEnable(true);
                    a5.setMaterial(m5);
                    Box box1 = new Box(2.0f,2.0f,2.0f,a5); 
                    box1.setAppearance(a5);
                    k1TransformGroup.addChild(box1);
                    sceneTransformGroup.addChild(k1TransformGroup);
                    // knot point 2
                    t3dKnot = new Transform3D();
                    t3dKnot.set (pos2);
                    TransformGroup k2TransformGroup = new TransformGroup(t3dKnot);
                    Material m6 = new Material(new Color3f(Color.GREEN), eColor, new Color3f(Color.GREEN), sColor, 100.0f);
                    Appearance a6 = new Appearance();
                    m6.setLightingEnable(true);
                    a6.setMaterial(m6);
                    Box box2 = new Box(2.0f,2.0f,2.0f,a6);
                    box2.setAppearance(a6);
                    k2TransformGroup.addChild(box2);
                    sceneTransformGroup.addChild(k2TransformGroup);
                   drawflow();
          // Colors for lights and objects
          if ( shouldCompile )
                   sceneRoot.compile( );
              universe.addBranchGraph( sceneRoot );
              reset( );
        public void reset( )
              Transform3D trans = new Transform3D( );
              exampleSceneTransform.setTransform( trans );
              trans.set( new Vector3f( 0.0f, 0.0f, 10.0f ) );
              exampleViewTransform.setTransform( trans );
              //setNavigationType( navigationType );
         * This sets up the key frame data for the spline interpolator. Each knot
         * point has a scale and rotation component specified. The second argument
         * to KBKeyFrame (in this case 0) tells the interpolator that this is
         * to be interpolated using splines. The last three arguments to
         * KBKeyFrame are Tension, Continuity, and Bias components for each
         * key frame.
         * This sets up the key frame data for the linear interpolator. Each knot
         * point has a scale and rotation component specified. The second argument
         * to KBKeyFrame (in this case 1) tells the interpolator that this is
         * to be interpolated linearly. The last three arguments to TCBKeyFrame
         * are Tension, Continuity, and Bias components for each key frame.
        private KBKeyFrame[] setupLinearKeyFrames (int begin,int end) {
          // Prepare linear keyframe data
          Point3f p =new Point3f(po[begin]);
          System.out.print("positions is"+p+"\n");
          float head  = 0.0f;                          // heading
          float pitch = 0.0f;                          // pitch
          float bank  = 0.0f;                          // bank
          Point3f s = new Point3f(1.0f, 1.0f, 1.0f);   // uniform scale
          KBKeyFrame[] linearKeyFrames=new KBKeyFrame[2];
          linearKeyFrames[0] =
             new KBKeyFrame(0.0f, 1, p, head, pitch, bank, s, 0.0f, 0.0f, 0.0f);
          p =new Point3f(po[end]);
          System.out.print("positions is"+p+"\n");
          linearKeyFrames[1] =
             new KBKeyFrame(1.0f, 1, p, head, pitch, bank, s, 0.0f, 0.0f, 0.0f);
          return linearKeyFrames;
         * This sets up alpha for the interpolator
        private Alpha setupAnimationData (int times,int duration) {
          yAxis = new Transform3D();
          Alpha animAlpha = new Alpha (times,Alpha.INCREASING_ENABLE,0,0,duration,0,0,0,0,0);
          return animAlpha;
         * create a spline and a linear interpolator, but we will activate only
         * one in startInterpolator()
        private void createInterpolators (TransformGroup t,KBKeyFrame[] k,Alpha a)
             KBKeyFrame[] kk=new KBKeyFrame[2];
             kk[0]=k[0];
             kk[1]=k[1];
          BranchGroup behaviorBranch = new BranchGroup();
          KBRotPosScaleSplinePathInterpolator linearInterpolator =
             new KBRotPosScaleSplinePathInterpolator(a, t,new Transform3D(),kk);
          BoundingSphere bounds =  new BoundingSphere(new Point3d(0.0,0.0,0.0), 100.0f);
          linearInterpolator.setSchedulingBounds(bounds);
          behaviorBranch.addChild(linearInterpolator);
          t.addChild(behaviorBranch);
         * This activates one of the interpolators depending on the state of the
         * linear boolean flag which may be toggled by the user using the choice
         * menu.
        public void startInterpolator ()
            //linearInterpolator.setEnable(true);
         * Toggle animation 
        public void actionPerformed (ActionEvent event) {
          Object source = event.getSource();
          if (source == animateButton) {
            try {
              // toggle animation
              if (!animationOn) {
                animationOn = true;
                swtch0.setWhichChild(Switch.CHILD_NONE);
                //linearInterpolator.setEnable(false);
                animateButton.setLabel("Start Animation");
              } else {
                animationOn = false;
                startInterpolator();
                GridBagLayout      gl  = new GridBagLayout();
                GridBagConstraints gbc = new GridBagConstraints();
                canvasPanel.setLayout(gl);
                gbc.gridx = 0;  gbc.gridy = 0;
                gbc.gridwidth = 5;  gbc.gridheight = 5;
                GraphicsConfiguration config =
                    SimpleUniverse.getPreferredConfiguration();
                 canvas = new Canvas3D(config);
                 canvas.setSize(490,490);
                 canvasPanel.add(canvas,gbc);
                //linearInterpolator.setEnable(true);
                animateButton.setLabel("Stop Animation");
                createSceneGraph();
               // drawflow();
            } catch (Exception e) {
               System.err.println ("Exception " + e);
               e.printStackTrace();
         * Toggle the interpolators 
        public void itemStateChanged (ItemEvent event) {
          Object source = event.getSource();
          ItemSelectable ie = event.getItemSelectable();
          if (source == interpChoice) {
            try {
              if (ie.getSelectedObjects()[0] == "Spline") {
                linear = false;
              if (ie.getSelectedObjects()[0] == "Linear") {
                linear = true;
              startInterpolator();
            } catch (Exception e) {
               System.err.println ("Exception " + e);
         * Adjust the speed of the animations
        public void adjustmentValueChanged (AdjustmentEvent e) {
          int value = e.getValue();
          duration = 6000 - (500 * value);
          animAlpha.setIncreasingAlphaDuration(duration);
        public void drawflow()
             for(int i=0;i<unitsno;i++)
                  for(int j=0;j<2;j++)
                       for(int k=0;k<2;k++)
                            System.out.print(customerFlow[j][k]+"\n");
                        //System.out.print("i'm third loop ");
                        if(customerFlow[j][k][i]>0&&customerFlow[j][k][i]<5)
                             System.out.print("i'm small ball");
                             if(animationOn==true)
                                  break;
                             System.out.print("i'm small ball");
                             for(int x=0;x<1;x++)
                                  KBKeyFrame []KKF;
                                  KKF=setupLinearKeyFrames(j,k);
                                  Alpha a=setupAnimationData(1,5000);
                                  createInterpolators(objTransformGroup0.get(x),KKF,a);
                             //for(int t=0;t<3;t++)
                             System.out.print("i'm small ball");
                                  swtch0.setWhichChild(0);
                                  //swtch0.getChild(0).setPickable(true);
                             //swtch1.setWhichChild(Switch.CHILD_NONE);
                             //.setWhichChild(Switch.CHILD_NONE);
                             /*swtch0.setWhichChild( options[0].child );
                             swtch0.setChildMask( options[0].mask );*/
                        else if(customerFlow[j][k][i]>5&&customerFlow[j][k][i]<25)
                             if(animationOn==true)
                                  break;
                                  KBKeyFrame []KKF;
                                  KKF=setupLinearKeyFrames(j,k);
                                  Alpha a=setupAnimationData(1,5000);
                                  createInterpolators(objTransformGroup1.get(0),KKF,a);
                                  System.out.print("i'm mid ball");
                                  //swtch0.setWhichChild(Switch.CHILD_NONE);
                             //swtch2.setWhichChild(Switch.CHILD_NONE);
                             /*swtch0.setWhichChild( options[1].child );
                                  swtch0.setChildMask( options[1].mask );*/
                             swtch0.setWhichChild(1);
                             System.out.print("i'm mid ball");     
                        else if(customerFlow[j][k][i]>24)
                             if(animationOn==true)
                                  break;
                                  KBKeyFrame []KKF;
                                  KKF=setupLinearKeyFrames(j,k);
                                  Alpha a=setupAnimationData(1,10000);
                                  createInterpolators(objTransformGroup2.get(0),KKF,a);
                                  //swtch1.setWhichChild(Switch.CHILD_NONE);
                             swtch0.setWhichChild(2);
                                  /*swtch0.setWhichChild( options[2].child );
                                  swtch0.setChildMask( options[2].mask );*/
    private class NameChildMask
              public String name;
              public int child;
              public BitSet mask;
              public NameChildMask( String n, int c, int m )
                   name = n;
                   child = c;
                   mask = new BitSet(3);
                   if( (m&1) != 0 )     mask.set( 0 );
                   if( (m&2) != 0 )     mask.set( 1 );
                   if( (m&4) != 0 )     mask.set( 2 );
    private NameChildMask[] options =
              //new NameChildMask( "CHILD_ALL", Switch.CHILD_ALL,     0 ),
              //new NameChildMask( "CHILD_NONE", Switch.CHILD_NONE,     0 ),
              new NameChildMask( "Child 0",     0,               0 ),
              new NameChildMask( "Child 1",     1,               0 ),
              new NameChildMask( "Child 2",     2,               0 )};

    ORA-01722:     invalid number
    Cause:     The attempted conversion of a character string to a number failed because the character string was not a valid numeric literal. Only numeric fields or character fields containing numeric data may be used in arithmetic functions or expressions. Only numeric fields may be added to or subtracted from dates.
    Action:     Check the character strings in the function or expression. Check that they contain only numbers, a sign, a decimal point, and the character "E" or "e" and retry the operation.
    Cheers,
    Prasanna

  • Letter/report generation...morgalr, i need your help!!

    may i know the details or some sample source code of how to generate the html and import it to MS Word...i need your help urgently...may i have your email to contact u?.....please help, it is urgent!!!

    You need not use an applet to write an HTML file, any application file will do fine, actually applications may be prefered due to system security and file creation. Basically the html files are just text files using HTML. Look at any book on HTML and you will be able to get the style and form down along with the syntax.
    As for calling MS word, do a search on the web for a product called JPrint. It is done by a company called Neva and they also have a product called "coroutine". It is coroutine that you want. Coroutine is a native level interface for Java to Comm. The docs that come with coroutine should be saficient to get you going on the project.

  • Oaf customization....please help urgent !!!!!!!!!!!!!

    hi ,
    i have a requirement in my project where in i have to customize a standard page.
    i need to create a new region in the existing page (new EO,VO and region)
    for this i should download all the .xml and .class files from the server.tehse i can download to myclasses
    but i would like to know how to get the java files to myprojects.we will not get these from server.so how will i get the .java files coz i need the main CO.VO .java files.
    please do help.
    urgent
    thanks
    Ramya

    Hi Ramya,
    As stated above, you have to decompile those files. Oracle does not provide java source of controller, vo etc.
    However, previously some issues has been noticed with jad java decompiler.Moreover its command line tool.
    Another good decompiler is jd-gui which is gui based tool and overcomes some of probs of jad.
    You can refer this thread.
    Source java OAF code... when Oracle will release it?
    Abdul Wahid

  • Help needed to write control file.

    Hi Guys,
    i need to write one control file to upload data from .txt file to oracle table.
    .txt file data contains like this
    2006041110:40:22
    2006041111:30:42
    2006041210:40:22
    i need to upload this data into date column in oracle table.
    please help me to write control file for this requirement.
    Thanks for your help and time

        data1        "to_date(:data1, 'YYYYMMDDHH24:MI:SS')"

  • Need help urgently!! - "The selected file cannot be linked because its type (video) does not match t

    Hey guys... I need your help!! I started a project using Premiere Pro 2 and was 80% when I formatted my computer (all my project files were always saved to a external hard drive). Anyways instead of installing Premiere Pro 2, I installed Premiere Pro Cs3. Problem is whenever I try starting up my project it asks me to link every file used. When I do this it says "The selected file cannot be linked because its type (video) does not match the original file's type (audio and video)." I took my external harddrive to friend's house who has Premiere Pro 2 and it says the same thing. Why did this happen? Is there anyway around it... Any help would be greatly appreciated, I put over 20 hours into editing this movie... I don't want it all to go to waste.

    Frequently answered question
    Cheers
    Eddie
    Forum FAQ
    Premiere Pro Wiki
    - Over 250 frequently answered questions
    - Over 100 free tutorials
    - Maintained by editors like
    you

  • Pls Help--- URGENT... Combining XML file and HTML file Using java program.

    Hi, I need to implemnt this for my project....
    I need to combine XML and HTML file and generate a new HTML file
    Sample XML File:
    <user>
    <txtName>sun</txtName>
    <txtAge>21 </txtAge>
    </user>
    Sample HTML File:
    <body>
    Name: <input type="text" name="txtName" value=""
    Age : <input type="text" Age="txtAge" value=""
    </body>
    I need a java program to combine the above xml and html files and generate the output in HTML.
    Any kind of help is sincerely Appreciated.
    Thanks.

    toucansam wrote:
    So you want us to write it for you? It's pretty straight forward, first parse the xml file with the *[best java xml parser|http://www.google.com/search?&q=parsing+xml+in+java]* and then go through the nodes and construct the html with strings and concatination. Then write the file using *[the best java file writer|http://www.google.com/search?hl=en&q=writing+to+a+file+in+java]*.
    He would do better to use existing tools that make this easy [http://www.ling.helsinki.fi/kit/2004k/ctl257/JavaXSLT/Ch05.html|http://www.ling.helsinki.fi/kit/2004k/ctl257/JavaXSLT/Ch05.html]

Maybe you are looking for