// ================================================================================ // /* ----------------------------------------------------------- */ // "whinez" - A java applet for acid-base calculations // // // // Copyright (C) 2003 J van Schalkwyk // // version 0.91 // /* ----------------------------------------------------------- */ // This code should be read in conjunction with the web page at: // www.anaesthetist.com/mnm/wine/index.htm // Author: J.M. van Schalkwyk // e-mail: jo@anaesthetist.com // Started September 2003. Last edit 2004/10/5. // // This applet is distributed under the Gnu Public Licence (GPL). // A copy should accompany any distribution. For details of the GPL, // see Appendix A, below. // This program is free software; you can redistribute it and/or // modify it under the terms of the GNU General Public License // as published by the Free Software Foundation; either version 2 // of the License, or (at your option) any later version. // // This program is distributed in the hope that it will be useful, // but WITHOUT ANY WARRANTY; without even the implied warranty of // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the // GNU General Public License for more details. // // You should have received a copy of the GNU General Public License // along with this program; if not, write to the Free Software // Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. // ================================================================================ // // Version History: // Initial version released v 0.90 (2003/11/17) // For version 0.91, see Appendix B. // For minor amendments 5/10/2004 see Appendix B. Point 7. // ================================================================================ // import java.applet.*; import java.awt.*; // "standard" includes import java.awt.event.*; // import java.awt.event.MouseListener; // v0.91a) // import java.awt.event.MouseEvent; // v0.91a).. included in the above. // Here are the classes: // 1. whinez kicks off everything ('trivial', extends Applet) // 2. WINECONTROLS controls (text boxes, button) at top and bottom (extends Panel) // 3. SIDEPANEL four panels (north, south, east, west) (extends Panel) // 4. WINEGRAPH draws the graphs (extends Canvas). The biggie! // ================================================================================ // // The principal class is whinez. It establishes the others, and doesn't do much else. // As for all applets, our "whinez" must be an extension to the "Applet" class: public class whinez extends Applet { // constants : using these symbolic names simplifies reading of code; static final int NORTH = 0; static final int EAST = 1; static final int SOUTH = 2; static final int WEST = 3; WINEGRAPH theGraph; // the central graph SIDEPANEL northpanel; // on top (north) SIDEPANEL southpanel; // at bottom (south) SIDEPANEL westpanel; // border on left (west) SIDEPANEL eastpanel; // for controls on right WINECONTROLS northcontrols; //controls in north panel WINECONTROLS southcontrols; // and those in south WINECONTROLS eastcontrols; // east // North will be TA, start pH, desired (final) pH, and CALCULATE button. // South will be percentages of various acids! // East will contain control(s) for specific gravity (SG). // --- function 1: initialise --- // public void init() { northpanel = new SIDEPANEL(NORTH); southpanel = new SIDEPANEL(SOUTH); westpanel = new SIDEPANEL(WEST); eastpanel = new SIDEPANEL(EAST); theGraph = new WINEGRAPH(); // pass theGraph to panels, and get back controls in return: northcontrols = northpanel.KickoffPanel(theGraph); southcontrols = southpanel.KickoffPanel(theGraph); eastcontrols = eastpanel.KickoffPanel(theGraph); westpanel.KickoffPanel(theGraph); // pass the controls to the graph app (which will later draw things) theGraph.kickoffMyGraph(eastcontrols, northcontrols, southcontrols, southpanel, westpanel); // LOCATE THINGS ON SCREEN setLayout(new BorderLayout(2,5)); // gives spacing add("Center", theGraph); // put canvas in centre add("North", northpanel); // main controls, "CALCULATE" button add("South", southpanel); // add("West", westpanel); // add("East", eastpanel); // } } // ************************* // // END OF Whinez class // // ************************* // // ================================================================================ // // The `trivial' SIDEPANEL class is used to create side panels on // North, South, East and West sides of the central graph. // Functions are: // public SIDEPANEL(int compass) // constructor // public WINECONTROLS KickoffPanel (WINEGRAPH thegraph) // initialisation // public void setTitle ( String str) // class SIDEPANEL extends Panel //START CLASS SIDEPANEL { static final int NORTH = 0; static final int EAST = 1; static final int SOUTH = 2; static final int WEST = 3; // clumsy duplication?? int whichSide; Label titl; // WINEGRAPH thegraph; WINECONTROLS controls; //0. constructor. public SIDEPANEL(int compass) { whichSide = compass; //record whether N/S/E/West controls = null; // later filled in the cases of north, south } //1. initialise: public WINECONTROLS KickoffPanel (WINEGRAPH thegraph) { this.thegraph = thegraph; // remember submitted canvas switch (whichSide) { case EAST: setLayout(new BorderLayout(0,1)); titl = new Label(" SG"); add ("North", titl); controls = new WINECONTROLS(); controls.KickoffControls(thegraph, EAST, this); add ("Center", controls); break; // case WEST: titl = new Label(" "); //IDEALLY SHOULD ALIGN IN CENTRE OF horiz AXIS add (titl); break; // case SOUTH: controls = new WINECONTROLS(); controls.KickoffControls(thegraph, SOUTH, this); titl = new Label("Enter % of each acid: malic, lactic, succinic, citric, acetic (tartaric makes up the rest) "); //IDEALLY SHOULD ALIGN IN CENTRE OF horiz AXIS setLayout(new BorderLayout(0,1)); add ("East", titl); add ("South", controls); break; // case NORTH: controls = new WINECONTROLS(); controls.KickoffControls(thegraph, NORTH, this); titl = new Label(" Wine Acidity Calculator v 0.91: Press 'Calculate' button!"); Font bigfont; bigfont = new java.awt.Font("Ariel", Font.BOLD + Font.ITALIC, 18); titl.setFont(bigfont); setLayout(new BorderLayout(0,1)); add ("North", titl); add ("South", controls); break; //below, we will return controls // default: //perhaps have error } // end switch return controls; // return controls to the caller! } //1a. SETTITLE METHOD: public void setTitle ( String str) { titl.setText(str); repaint(); } } // ************************* // // END OF SIDEPANEL class // // ************************* // // ================================================================================ // // WINECONTROLS: A small Panel extension, containing a few controls. // WINECONTROLS is in turn contained within a SIDEPANEL. // myButton is the important 'Calculate' button! // THIS WHOLE THING IS RATHER BADLY WRITTEN AND COULD BE EXTENSIVELY REVISED! // Functions are: // public WINECONTROLS() // constructor // public void KickoffControls (WINEGRAPH thegraph, // int compass, SIDEPANEL me) // initialise // public double getDoubleVal ( int itemcode) // get number from control // We previously used `action', now deprecated. See above. class WINECONTROLS extends Panel implements ActionListener, // to detect action. hideous. FocusListener // and for lost focus.. { static final int NORTH = 0; static final int EAST = 1; static final int SOUTH = 2; static final int WEST = 3; // same darned constants again. static final int ADDACID = 0; static final int MLFBASE = 1; static final int TITRATE = 2; // WINEGRAPH thegraph; SIDEPANEL master; // TextField pHi; Label pHiLabel; TextField pHf; Label pHfLabel; TextField TA; Label TALabel; // TextField SpecificGravity; // TextField MalicPercent; Label MalicPercentLabel; TextField TartaricPercent; Label TartaricPercentLabel; TextField CitricPercent; Label CitricPercentLabel; TextField SuccinicPercent; Label SuccinicPercentLabel; TextField AceticPercent; Label AceticPercentLabel; TextField LacticPercent; Label LacticPercentLabel; // Button myButton; public WINECONTROLS() // constructor: { // could set all to null. } public void KickoffControls (WINEGRAPH thegraph, int compass, SIDEPANEL owner) { this.thegraph = thegraph; this.master = owner; if (compass == NORTH) { add(TALabel = new Label("TA")); add(TA = new TextField("6.5", 3)); add(pHiLabel = new Label("start pH")); add(pHi = new TextField("3.5", 3)); add(pHfLabel = new Label("end pH")); add(pHf = new TextField("3.3", 3)); //debug myButton = new Button("Calculate"); add(myButton); myButton.addActionListener(this); }; // if (compass == EAST) { add(SpecificGravity = new TextField("1.000", 4)); SpecificGravity.addActionListener(this); // ??? need listener? }; // if (compass == SOUTH) { add(MalicPercentLabel = new Label("M")); add(MalicPercent = new TextField("30", 2)); add(LacticPercentLabel = new Label("L")); add(LacticPercent = new TextField("10", 2)); add(SuccinicPercentLabel = new Label("S")); add(SuccinicPercent = new TextField("5",2)); add(CitricPercentLabel = new Label("C")); add(CitricPercent = new TextField("4",2)); add(AceticPercentLabel = new Label("A")); add(AceticPercent = new TextField("1",2)); add(TartaricPercentLabel = new Label("T")); add(TartaricPercent = new TextField("50",2)); TartaricPercent.setEditable(false); //disable // MalicPercent.addActionListener(this); // LacticPercent.addActionListener(this); // SuccinicPercent.addActionListener(this); // CitricPercent.addActionListener(this); // AceticPercent.addActionListener(this); MalicPercent.addFocusListener(this); LacticPercent.addFocusListener(this); SuccinicPercent.addFocusListener(this); CitricPercent.addFocusListener(this); AceticPercent.addFocusListener(this); }; } //end of initialisation of controls. public double Text2Float (TextField itm) { // simple function to convert text value of a control to floating point: return (Float.valueOf(itm.getText()).floatValue()); } // what a kludge! // function to interrogate controls, returning a floating point value: static final int TAR = 0; static final int MAL = 1; static final int CIT = 2; static final int SUC = 3; static final int LAC = 4; static final int ACE = 5; static final int TACID = 10; static final int pHINIT = 11; static final int pHFIN = 12; static final int SG = 13; public double getDoubleVal ( int itemcode) { double gVal; // switch (itemcode) { // in each of the following could check compass! (perhaps should) case TAR: gVal = Text2Float(TartaricPercent); break; case MAL: gVal = Text2Float(MalicPercent); break; case CIT: gVal = Text2Float(CitricPercent); break; case SUC: gVal = Text2Float(SuccinicPercent); break; case LAC: gVal = Text2Float(LacticPercent); break; case ACE: gVal = Text2Float(AceticPercent); break; case TACID: gVal = Text2Float(TA); break; case pHINIT: gVal = Text2Float(pHi); break; case pHFIN: gVal = Text2Float(pHf); break; case SG: gVal = Text2Float(SpecificGravity); break; // NB the break, else returns default. Silly me! default: gVal = 0; //? have error message } // end switch return gVal; } //end of "getDoubleVal" // next, respond to ActionListener: public void actionPerformed(ActionEvent myevt) { if (myevt.getSource() == myButton) { double thisSID; double pHi; double pHf; thisSID = thegraph.calcAcids(); // first get SID String resultString; resultString = java.lang.Double.toString(thisSID); pHf = getDoubleVal(pHFIN); pHi = getDoubleVal(pHINIT); if ( (pHi < 2) || (pHi > 4) || (pHf < 2) || (pHf > 4) ) { master.setTitle("pH out of range!"); return; }; // double direction; direction = pHf - pHi; if (direction < -0.01) //pH units { thegraph.CalcQ100 (thisSID); thegraph.SetTheMode(ADDACID); thegraph.drawMe(); //force drawing! if (thisSID > 0) // if SID is OK; { // master.setTitle("Addition of malic vs tartaric acid: " + resultString); master.setTitle("Addition of malic vs tartaric acid"); } else // strong acid present: unlikely !? { master.setTitle("Warning: -ve SID (" + resultString + ")" ); }; return; }; if (direction > 0.01) // ML fermentation and/or addition of K2CO3: { // thisSID = thegraph.CalcMLF (thisSID); // debug thegraph.CalcMLF(thisSID); thegraph.SetTheMode(MLFBASE); /// resultString = java.lang.Double.toString(thisSID); /// master.setTitle("Debug: " + thisSID); master.setTitle("ML Fermentation +- added base"); thegraph.drawMe(); return; }; // DRAW pH TITRATION: thegraph.CalcTitration(thisSID); // debug ???????????? thegraph.SetTheMode(TITRATE); master.setTitle("Titration with NaOH"); thegraph.drawMe(); return; }; } public void focusGained(FocusEvent e) { } // MUST specify this to prevent Java error. public void focusLost(FocusEvent myevt) { Object mysource; mysource = myevt.getSource(); if (mysource == MalicPercent) { //validatePercent(mysource, MAL, 50); // v0.91 removed. validatePercent(mysource, MAL, 100); }; // should elsif the rest... if (mysource == LacticPercent) { //validatePercent(mysource, LAC, 50); validatePercent(mysource, LAC, 100); }; if (mysource == SuccinicPercent) { //validatePercent(mysource, SUC, 20); validatePercent(mysource, SUC, 100); }; if (mysource == CitricPercent) { //validatePercent(mysource, CIT, 20); validatePercent(mysource, CIT, 100); }; if (mysource == AceticPercent) { //validatePercent(mysource, ACE, 10); validatePercent(mysource, ACE, 100); }; } void validatePercent(Object mysource, int acid, int maximum) { TextField myfld; myfld = (TextField) mysource; double percval; percval = Text2Float(myfld); // ??? what about validation if (percval > maximum) // jvs ? NB convert double back to string (truncated) { percval = maximum; myfld.setText( thegraph.prettyUpN(java.lang.Double.toString(percval), 5) ); }; // double sigma; sigma = 100.0 - sumPercent(); // sumPercent adds up *all* acids but TAR. if (sigma < 0) { percval += sigma; // fix the problem, sigma -ve so add it! percval -= 0.01; // hack to prevent zero TAR .. myfld.setText( thegraph.prettyUpN(java.lang.Double.toString(percval),5) ); sigma = 0.01; // hack continues.. (prevent zero TAR) } TartaricPercent.setText( thegraph.prettyUpN(java.lang.Double.toString(sigma),5) ); } double sumPercent () // add up all EXCEPT Tartaric. { double sigma; sigma = Text2Float(MalicPercent); sigma += Text2Float(LacticPercent); sigma += Text2Float(SuccinicPercent); sigma += Text2Float(CitricPercent); sigma += Text2Float(AceticPercent); //System.out.println( "x / y = "+ (sigma) ); return sigma; }; } // ************************* // // END OF WINECONTROLS class // // ************************* // class ConsolePrintApplet1 { public void init () { // Put code between this line //------------------------------------------ double x = 5.0; double y = 3.0; System.out.println( "x * y = "+ (x*y) ); System.out.println( "x / y = "+ (x/y) ); //------------------------------------------- // and this line. } // Paint message in the applet window. public void paint (java.awt.Graphics g) { g.drawString ("ConsolePrintApplet1",20,20); } } // ================================================================================ // // The following class implements drawing of the actual graph, // and associated calculations. It is thus moderately complex! class WINEGRAPH extends Canvas implements MouseListener { // constants: static final double ln10 = java.lang.Math.log(10); // (the natural logarithm of the number ten); // static final double MolWtK2CO3 = 138.21 ; // removed in minor amendment 5/10/2004. static final double MolWtKHCO3 = 100.12 ; static final double MolWtNaOH = 40.00; static final double Kw25 = 1.0e-14; // Dissociation constant for water at 25C. static final int DATAPOINTS = 1000; // number of data points in plotting ... // (v0.91: finer granularity increases memory requirement a little but improves // map between mouse screen clicks and data array)! // Using many datapoints unfortunately makes the plotted line on the screen // rather ugly. Really should only plot a segment of the line if delta x or delta y // is over 1 pixel! // symbolic constants for the various acids: static final int FIRSTACID = 0; static final int TAR = 0; static final int MAL = 1; static final int CIT = 2; static final int SUC = 3; static final int LAC = 4; static final int ACE = 5; static final int TOPACID = ACE+1; // symbolic constants for K1..n for the various acids (see usage)! static final int K1 = 0; static final int K2 = 1; static final int K3 = 2; static final int STUB = 3; // needed for checks below! static final int ARBITRARY = 1; // must be nonzero // and for the various acid species!! static final int A0 = 0; static final int A1 = 1; static final int A2 = 2; static final int A3 = 3; static final int Atot = 4; static final int TACID = 10; static final int pHINIT = 11; static final int pHFIN = 12; static final int SG = 13; static final double pHindicator = 8.3; // Actually, pKa of phenolphtalein is 9.3, and the colour starts appearing smoothly // at about pH 8.3, far better to use a pH meter! static final double WaterDensity25 = 0.997044; //kg per litre. High precision is spurious. double molalTA; double currentSID; //ugly // int THEMODE; // OPTIONS ARE 0=ADDACID 1=MLFBASE 2=TITRATE static final int MINMODE = -1; static final int ADDACID = 0; static final int MLFBASE = 1; static final int TITRATE = 2; static final int MAXMODE = 3; // Font myfont; Font smallfont; SIDEPANEL wstpanel; SIDEPANEL sthpanel; WINECONTROLS nrthcntrols; WINECONTROLS sthcntrols; WINECONTROLS estcntrols; int MOUSEX; // Floating point array of data to plot: // 0..3 = min (x,y), max (x,y) respectively; // then items (e.g.) 4..403 = 200 (x,y) coordinate pairs // double plotDATA []; //array of data to plot // Float array of dissociation constants: 3x6 double Kd [] []; // Float array of acid ratios: double Cratio []; // Float array of concentrations of various acid species! double Acid [] []; // First param is `ionisation state' eg A0, A1, .. Atot (5, redundant) // second param is actual acid eg. TAR. // Integer array of maximum ionisation state of acids 0..5: int iMax []; double molWt []; // int xOFFSET; // int yOFFSET; // (x,y) offset of upper left corner (down, right) // --- function 1: start up --- // public WINEGRAPH () //do very little on start-up; { MOUSEX = 1; // v0.91a addMouseListener(this); // v0.91a myfont = new java.awt.Font("Ariel", Font.BOLD + Font.ITALIC, 13); smallfont = new java.awt.Font("Ariel", Font.BOLD, 9); xOFFSET = 0; yOFFSET = 0; THEMODE = ADDACID; //arbitrary default // plotDATA = new double[4 + 2 + 2*DATAPOINTS]; //array for e.g. 400+4 floats // we add in 2 extra 'spares' (v0.91) Kd = new double[4][6]; //3 Kd's for each of 6 acids // and one 'stub' (nonzero) value! Cratio = new double[6]; //6 ratios, 1 per acid (TA:TA = 1) Acid = new double[5] [6]; // five species (redundant), six acids iMax = new int[6]; // maximum ionisation state molWt = new double[6]; // fill in values: // WE WILL SIGNAL `NO Kd' with a ZERO and not `infinity' (which would be better!) Kd[K1][TAR] = calcKd(2.98); // ????????????????? NOOOOO. MUST BE 10**(-n) ??????? Kd[K2][TAR] = calcKd(4.54); Kd[K3][TAR] = 0; iMax[TAR] = 2; // Kd[K1][MAL] = calcKd(3.40); Kd[K2][MAL] = calcKd(5.05); Kd[K3][MAL] = 0; iMax[MAL] = 2; // Kd[K1][CIT] = calcKd(3.13); Kd[K2][CIT] = calcKd(4.76); Kd[K3][CIT] = calcKd(5.40); iMax[CIT] = 3; // Kd[K1][SUC] = calcKd(4.16); Kd[K2][SUC] = calcKd(5.57); Kd[K3][SUC] = 0; iMax[SUC] = 2; // Kd[K1][LAC] = calcKd(3.86); Kd[K2][LAC] = 0; Kd[K3][LAC] = 0; iMax[LAC] = 1; // Kd[K1][ACE] = calcKd(4.75); Kd[K2][ACE] = 0; Kd[K3][ACE] = 0; iMax[ACE] = 1; // Kd[STUB][TAR] = ARBITRARY; Kd[STUB][MAL] = ARBITRARY; Kd[STUB][CIT] = ARBITRARY; Kd[STUB][SUC] = ARBITRARY; Kd[STUB][LAC] = ARBITRARY; Kd[STUB][ACE] = ARBITRARY; // only really needed for CIT, but be obsessive! A hack. //Molecular weights: molWt[TAR] = 150.09; molWt[MAL] = 134.09; molWt[SUC] = 118.09; molWt[LAC] = 90.08; molWt[CIT] = 192.12; molWt[ACE] = 60.06; plotDATA[0] = -1; //prevent drawing at start! } //1.0 mouse stuff v0.91a: // NOTE (Java OOPs) how if you DON'T include these fx, then you get a mildly // obscure error, because pure virtual fx *must* be overwritten. public void mousePressed(MouseEvent e) { // will here use e.getX() to record x position. // then calculate where to draw line, and // invoke redraw to draw graph + line ?! MOUSEX = e.getX(); // repaint(); } public void mouseReleased(MouseEvent e) { } public void mouseEntered(MouseEvent e) { } public void mouseExited(MouseEvent e) { } public void mouseClicked(MouseEvent e) { } //1a. trivial and ugly functions: find 10**(-n) public double calcKd (double n) { return (java.lang.Math.exp(ln10 * (-n))); } // 1a1. public int SetTheMode (int m) { if ((m > MINMODE) && (m < MAXMODE)) { THEMODE = m; return 0; //ok }; return -1; //fail. } // 1a2. Molar2Molal // Convert amount per litre to amount per kg. As specific gravity is kg/l, // the identity is: // amt per kg = amt per litre / SG. public double Molar2Molal (double molar) { double sg; sg = estcntrols.getDoubleVal(SG); return (molar / (sg * WaterDensity25)); // See appendix B. } // 1a3. FromMolal // The reverse of Molar2Molal above: public double FromMolal (double molal) { double sg; sg = estcntrols.getDoubleVal(SG); return (molal * sg * WaterDensity25); } // --- function 2a: initialise --- // // remember control panels handed to you: public void kickoffMyGraph (WINECONTROLS est, WINECONTROLS nrth, WINECONTROLS sth, SIDEPANEL spn, SIDEPANEL wpn) { nrthcntrols = nrth; sthcntrols = sth; sthpanel = spn; wstpanel = wpn; estcntrols = est; } // I AM HERE // function 2b: We know titratable acidity and pH, // but need to calculate [Atot(tar)] so that we // can calculate SID, and all other species. public double calcAcids () { //1. get TA, find its molar value, get [H+]: double TA; double H; double pH; TA = nrthcntrols.getDoubleVal(TACID); TA = Molar2Molal(TA); // v 0.91 entry is now per litre, so convert to per kg! molalTA = 2*TA / molWt[TAR]; pH = nrthcntrols.getDoubleVal(pHINIT); //clumsy. H = (java.lang.Math.exp(ln10 * (-pH))); // pH is the log of the reciprocal of the hydrogen ion *activity*. Assuming (eugh) an // activity coefficient of 1, pH = log(1/[H+]), thus -pH = log([H+]), or // [H+] = 10**(-pH). Now the exp function in Java is e**n, NOT 10**n. // Thus exp(n) in Java is e**n, and 10**k = (e**(ln(10)))**k = e**(k*ln(10)) // Note that e**(ln(10)) = 10. //2. Populate Cratio array: //2a. read in percentages as floats: double pTar, pMal, pCit, pSuc, pLac, pAce; pTar = sthcntrols.getDoubleVal(TAR)/molWt[TAR]; pMal = sthcntrols.getDoubleVal(MAL)/molWt[MAL]; pCit = sthcntrols.getDoubleVal(CIT)/molWt[CIT]; pSuc = sthcntrols.getDoubleVal(SUC)/molWt[SUC]; pLac = sthcntrols.getDoubleVal(LAC)/molWt[LAC]; pAce = sthcntrols.getDoubleVal(ACE)/molWt[ACE]; // convert g/kg to mol/kg! Cratio[TAR] = 1; // tar:tar = 1 Cratio[MAL] = pMal/pTar; Cratio[CIT] = pCit/pTar; Cratio[SUC] = pSuc/pTar; Cratio[LAC] = pLac/pTar; Cratio[ACE] = pAce/pTar; //3. Work out [Atot(tar)]. We know that (see documentation): // [Atot(tar)] = [M] - [H+] // ------------------------------------------- // 5 -1+iMax[x] // Sigma Cx . ( Sigma (-i+iMax[x])/THETA(i,x) ) // x=0 i=0 double myTOT = 0; double inner; int i; int x; // for (x=FIRSTACID;x 0 }; cnt ++; }; plotDATA[0] = 0; // min X = 0% plotDATA[1] = FromMolal(mindSID); // min Y = minimum change in SID; v0.91 plotDATA[2] = 100; // max X = 100% plotDATA[3] = plotDATA[5]; //max delta SID = for min MLF ??? return 0; //return value was used for debug! } // given new acid species and new pH, recalculate SID. // We know (Equation 7) that: // 5 max(x) // [SID] = Sigma ( Sigma i.[A(i,x)] ) - [H+] // x=0 i=1 public double recalcSID (double H) { double newSID; int x; int i; newSID=0; // for (x=FIRSTACID;x 0) // unless failed! { plotDATA[5+(2*cnt)] = (java.lang.Math.log(1/newH))/ln10; //convert to pH ! uplim = newH; // we are moving pH upwards, so this is OK. } else // Use identity log10(x) = ln(x)/ln(10); pH = log of 1/[H+]. Java "log" is ln! { plotDATA[5+(2*cnt)] = 0; //hmm. }; cnt ++; } plotDATA[0] = 0; plotDATA[2] = FromMolal(molalTA*MolWtNaOH); // NaOH conversion! ???; v0.91 plotDATA[1] = plotDATA[5]; //minimum pH // plotDATA[3] = plotDATA[5 + (2*(DATAPOINTS-1) )]; //maximum pH plotDATA[3] = plotDATA[5 + (2*(DATAPOINTS) )]; //maximum pH // note we use the topmost value to get the TOP pH, not last-from-top! return 0; //return value was used for debug! } public double CalcH (double newSID, double lolimH, double uplimH) { double Hest=0; //estimated [H+] ; =0 suppresses silly warning. double sigma; int x; int i; double sumzero = 1; // prevent crash at start double OH; int cnt=0; // being a suspicious bastard, we limit loop count! // while (java.lang.Math.abs(sumzero) > 1e-14) // // previously, if we used 1e-14 ipo 13-7, we had artefact drawn on graph. // This is because uplimH supplied was calculated from start pH, and with // high precision, we crashed out, forcing zero (see below). // We fixed this by making uplimH a bit larger .. see usage of CalcH. { Hest = java.lang.Math.sqrt(uplimH * lolimH); sigma = 0; x = 0; while (x < TOPACID) // for all acids, recalculate! { Acid4H(x,Hest); for (i=1;i<=iMax[x];i++) { sigma += i*Acid[i][x]; }; x ++; }; OH = Kw25 / Hest; // [OH-] = Kw'/[H+] sumzero = Hest + newSID - sigma - OH; if (sumzero > 0) // positive implies estimated [H] is too great: { uplimH = Hest; // can move upper limit down } else { lolimH = Hest; // else, can move lower limit up! }; cnt ++; if (cnt > 300) // ARBITRARY LARGE VALUE ???? (not converging, so fail) { return 0; //0 signals MAJOR ERROR! }; }; return Hest; } // --- function 3: do the actual painting --- // // this is invoked by repaint(); public void paint(Graphics g) //draw the graph { Rectangle myRect = this.getBounds(); int xpos; int ypos; int wCanvas; int hCanvas; wCanvas = myRect.width; hCanvas = myRect.height; g.setColor(Color.black); g.setFont(myfont); xpos = wCanvas / 2; //label axes: ypos = 12 + (19 * hCanvas) / 20; //hmm clumsy. plotTHEGRAPH (g, wCanvas, hCanvas, Color.red, plotDATA); } //end paint rtn // --- function 4: actually plot the graphs --- // public void plotTHEGRAPH ( Graphics g, int wCanvas, int hCanvas, Color clr, double[] pDATA) { if (pDATA[0] == -1) { return; }; // AT KICKOFF, DON'T DRAW. int xIndent = 40; int yIndent = 20; wCanvas -= 2*xIndent; hCanvas -= yIndent + 15; // +15 is for font height. clumsy??? // IDEALLY SHOULD DETERMINE FONT HEIGHT IN PIXELS.. // // Draw major marks on axes: // note that for Y axis, pDATA[3]-pDATA[1] is range: drawTicksY (g, xIndent, yIndent, hCanvas, pDATA[1], pDATA[3], wCanvas); // and for X axis, pDATA[2]-pDATA[0] is range. drawTicksX( g, xIndent, hCanvas, wCanvas, hCanvas, pDATA[0], pDATA[2], yIndent); // Draw x and y axes: g.setColor(Color.black); g.drawLine(xIndent, 0, xIndent, yIndent + hCanvas); // y axis g.drawLine(xIndent, yIndent + hCanvas, xIndent + 2*wCanvas, yIndent + hCanvas); // x axis // // label them [TO IMPROVE?] switch (THEMODE) { case ADDACID: wstpanel.setTitle("Malic g/l"); sthpanel.setTitle(" Tartaric g/l"); // HOW DO WE RIGHT ALIGN ??? break; // case MLFBASE: wstpanel.setTitle("KHCO3 g/l"); sthpanel.setTitle(" % Malolactic Fermentation"); break; // case TITRATE: wstpanel.setTitle("pH"); sthpanel.setTitle(" Added NaOH g/l"); break; // default: //do nothing! }; // // NB: top left corner is (0,0), bottom right is (max,max). g.setColor(clr); int x0, y0, x1, y1; int idx; double baseX, baseY, dX, dY; baseY = pDATA[1]; // min Y baseX = pDATA[0]; // min X dY = pDATA[3] - baseY; // delta Y dX = pDATA[2] - baseX; // delta X // idx = 4; x0 = xIndent; y0 = yIndent; // int dtot; dtot = 4+(2*DATAPOINTS); // total points to plot if (THEMODE == TITRATE) { dtot ++; }; // clumsy hack for pH titration v0.91 ?? while (idx < dtot ) { x1 = (int) (((pDATA[idx] - baseX) * wCanvas)/dX); idx ++; y1 = (int) (((pDATA[idx] - baseY) * hCanvas)/dY); // cast y1 = hCanvas - y1; // CORRECT FOR STRANGE COORDINATE SYSTEM OF JAVA!! idx ++; x1+= xIndent; y1+= yIndent; g.drawLine (x0, y0, x1, y1); x0 = x1; y0 = y1; } // write labels: String yMax; String xMax; String myval; double sigma; // g.setColor(Color.red); g.setFont(smallfont); yMax = java.lang.Double.toString(pDATA[3]); //myval = java.lang.Double.toString(sigma[2]); System.out.println(sigma); // g.drawString( prettyUp(yMax), 7, yIndent-2 ); //g.drawString( prettyUp(myval), 7, yIndent-2 ); if (THEMODE != MLFBASE) { xMax = java.lang.Double.toString(pDATA[2]); //g.drawString( prettyUp(xMax), wCanvas + 40, hCanvas+yIndent+15 ); //g.drawString( prettyUp(myval), 7, yIndent-2 ); // +15 represents attempt to add height of font ??? could pretty up. }; // hmm. if MLFBASE, could write x intercept value! // v0.91a HERE DRAW MOUSE-INVOKED CURSOR: double xMouse; int iMouse; double newTA; xMouse = (MOUSEX-xIndent)/(1.0*wCanvas); if ( (MOUSEX >= xIndent) &&(xMouse <= 1.0) ) { g.setColor(Color.blue); iMouse = (int) ((DATAPOINTS+1)*xMouse); // how does Java round? if (iMouse <= DATAPOINTS) // v0.91a: okay, just hack to prevent array overrun. Argh. { g.drawLine (MOUSEX, 0, MOUSEX, -1 + yIndent + hCanvas ); // g.drawString(java.lang.Double.toString(xMouse), 50, 180); // g.drawString(java.lang.Double.toString(iMouse), 50, 200); g.drawString(prettyUp( java.lang.Double.toString(pDATA[4 + 2*iMouse]) ), 5+MOUSEX, 70); g.drawString(prettyUp( java.lang.Double.toString(pDATA[5 + 2*iMouse]) ), -xIndent+5+MOUSEX, 50); // in the above, that displayed lower on screen is y axis value, upper left is x if (THEMODE == ADDACID) { // if adding acid, calculate NEW TA! g.setColor(Color.black); // 1. convert g/l of malic acid into g/l of tartaric acid, newTA = molWt[TAR]*(pDATA[5+2*iMouse])/molWt[MAL]; // 2. add the two to the original TA, and voila! newTA += pDATA[4+2*iMouse] + nrthcntrols.getDoubleVal(TACID); // clumsy dog --- last term is old TA! g.drawString("TA", 10+MOUSEX, 40); g.drawString(prettyUp( java.lang.Double.toString(newTA) ), 10+MOUSEX, 50); // NB. cannot just add MAL g/l as MW of TAR, MAL differ!! }; // NOTE APPARENT PROBLEM WITH LABELLING OF AXES (AT LEAST 1 PIXEL OUT ???) if (THEMODE == MLFBASE) { // need both K2CO3 amt added, and ML fermentation: g.setColor(Color.black); // 1. ML fermentation converts one carboxyl to CO2, thus we lose // 1 mol equivalent of TA (tartaric acid) for each mol converted. // Calculate lowering of TA as: // (Total malic acid [mol/kg] * % converted) * MW of tartaric acid // then convert this from g/kg to g/l. newTA = Acid[Atot][MAL] * pDATA[4+2*iMouse] * molWt[TAR]; newTA = FromMolal(newTA); // 2. K2CO3 addition lowers TA by 2 mol equivalents for every 1 mol added. // newTA += 2 * pDATA[5+2*iMouse] * molWt[TAR] / MolWtK2CO3; // amended 5/10/2004: KHCO3 lowers TA by just 1:1, thus: newTA += pDATA[5+2*iMouse] * molWt[TAR] / MolWtKHCO3; // 3. Subtract the sum of the decreases from the original TA: newTA = nrthcntrols.getDoubleVal(TACID) - newTA; g.drawString("TA", 10+MOUSEX, 40); g.drawString(prettyUp( java.lang.Double.toString(newTA) ), 10+MOUSEX, 50); }; }; // end hack. }; } //end plot // --- function 5: pretty up a numeric value --- // public String prettyUp (String str) // cut to ~4 digits after decimal, trim exponent! { String exponent = ""; String efrag = ""; String leftpart = ""; //extremely clumsy String sign = ""; //default sign is +ve int epos; int lenStr; // if (str.charAt(0) == '-') //if -ve, clip off sign! { sign = "-"; str = str.substring(1, str.length()); } lenStr = str.length(); epos = str.indexOf('e'); if (epos < 1) { epos = str.indexOf('E'); } // {bloody Java: change between v1.0 and 1.1 ?! } // leftpart = str; if (epos > 0) // ? epos cannot be zero? { leftpart = str.substring(0,epos); exponent = str.substring(epos+1,lenStr); efrag = "E"; if (exponent.charAt(0) == '-') { exponent = exponent.substring(1,exponent.length()); efrag = efrag + "-"; // efrag += "-"; } // get rid of leading 0's while ( (exponent.length() > 1) && (exponent.charAt(0) == '0') ) { exponent = exponent.substring(1,exponent.length()); } } if ( (epos <= 0) //{actually should never be == 0 ??} && (lenStr > 3) && (leftpart.charAt (0) == '0') && (leftpart.charAt (1) == '.') && (leftpart.charAt (2) == '0') //iff form is "0.0nnn" ) { epos = 2; //used to count (-)exponent! leftpart = leftpart.substring(3,lenStr); //get nnn lenStr -= 3; while( (lenStr > 1) //except the last one! && (leftpart.charAt (0) == '0') //remove leading 0's ) { epos ++; leftpart = leftpart.substring(1,lenStr); lenStr --; } if (lenStr > 1) // no "." if just 1 digit { leftpart = leftpart.substring(0,1) //convert nnnn to n.nnn + "." + leftpart.substring(1,lenStr); } efrag = "E-" + java.lang.Integer.toString(epos); if ( (lenStr == 1) && (leftpart.charAt (0) == '0' ) ) { efrag =""; } // prevent 0E-3 or whatever ! } if (leftpart.length() > 5) //if too long then { leftpart = leftpart.substring(0,5); // truncate to n.nnn ?? } str = sign + leftpart + efrag + exponent; return str; } public String prettyUpN (String str, int N) // N=pretty factor, a variant of prettyUp. // cut to ~N-2 digits after decimal, trim exponent! { String exponent = ""; String efrag = ""; String leftpart = ""; //extremely clumsy String sign = ""; //default sign is +ve int epos; int lenStr; // if (str.charAt(0) == '-') //if -ve, clip off sign! { sign = "-"; str = str.substring(1, str.length()); } lenStr = str.length(); epos = str.indexOf('e'); if (epos < 1) { epos = str.indexOf('E'); } // {bloody Java: change between v1.0 and 1.1 ?! } // leftpart = str; if (epos > 0) // ? epos cannot be zero? { leftpart = str.substring(0,epos); exponent = str.substring(epos+1,lenStr); efrag = "E"; if (exponent.charAt(0) == '-') { exponent = exponent.substring(1,exponent.length()); efrag = efrag + "-"; // efrag += "-"; } // get rid of leading 0's while ( (exponent.length() > 1) && (exponent.charAt(0) == '0') ) { exponent = exponent.substring(1,exponent.length()); } } if ( (epos <= 0) //{actually should never be == 0 ??} && (lenStr > 3) && (leftpart.charAt (0) == '0') && (leftpart.charAt (1) == '.') && (leftpart.charAt (2) == '0') //iff form is "0.0nnn" ) { epos = 2; //used to count (-)exponent! leftpart = leftpart.substring(3,lenStr); //get nnn lenStr -= 3; while( (lenStr > 1) //except the last one! && (leftpart.charAt (0) == '0') //remove leading 0's ) { epos ++; leftpart = leftpart.substring(1,lenStr); lenStr --; } if (lenStr > 1) // no "." if just 1 digit { leftpart = leftpart.substring(0,1) //convert nnnn to n.nnn + "." + leftpart.substring(1,lenStr); } efrag = "E-" + java.lang.Integer.toString(epos); if ( (lenStr == 1) && (leftpart.charAt (0) == '0' ) ) { efrag =""; } // prevent 0E-3 or whatever ! } if (leftpart.length() > N) //if too long then { leftpart = leftpart.substring(0,N); // truncate to n.nnn ?? } str = sign + leftpart + efrag + exponent; return str; } // --- functions 6A..D - Horizontal line-drawing functions --- // // (THESE WERE ALL SWIPED FROM THE IONZ APPLET!) // 6A: draw 10 horizontal lines, the first grey, the rest pink! void drawH10 (Graphics g, int xco, int yco, int width, double interval, int indent, int yoffset) { int count = 1; int ypos = yco; // drawHorizontal (g, xco, yoffset+yco, width, Color.gray, indent); while (count < 10) { ypos = (int)( yco - ( (interval*(double) count)/10 ) ); if (ypos >= 0) { drawHorizontal (g, xco, yoffset+ypos, width, Color.pink, indent); }; count ++; } } // 6B: similar to drawH10, but draw only nn pink lines, in opposite direction void drawHn (Graphics g, int xco, int yco, int width, double interval, int nn, int indent, int yoffset) { int count = 1; int ypos = yco; while (count < nn) { ypos = (int)( yco + ( (interval*(double) count)/10 ) ); drawHorizontal (g, xco, yoffset + ypos, width, Color.pink, indent); count ++; } } // 6C: Draw a horizontal line: void drawHorizontal (Graphics g, int xco, int yco, int width, Color clr, int indent) { if (yco == indent) return; //don't overdraw axis g.setColor(clr); g.drawLine(xco, yco, xco+width, yco); //as above g.setColor(Color.black); } // 6D: mark off the Y axis: // find difference between top and bottom values. Convert this // to a number from 1 to 9.999 by sequentially dividing/mul by 10. // mark of at "integral" values e g if top value is 2.5 and bottom // is 0.3, difference will be 2.2 and we will make marks at 1 and 2 only! // We ASSUME that (0,0) is top left corner, and that xco tells us how // far to indent the markings to the right; // colheight is actual pixel height of our canvas. xindnt is indent from // left margin. loVal and hiVal contain actual values. width = canvas width. void drawTicksY (Graphics g, int xindnt, int yindnt, int colheight, double loVal, double hiVal, int width ) { double diffVal; double multiplier = 1; int diffFix; double interval; int yco; // diffVal = hiVal - loVal; //find actual interval if (diffVal == 0) { return; } //do nothing if no difference while (diffVal >= 10) //ensure value is < 10 { multiplier /= 10; diffVal /= 10; } while (diffVal < 1) //ensure > 1 { multiplier *= 10; diffVal *= 10; //get a multiplier to convert } //interval to No from 0..<10; // interval = colheight / diffVal; //find height of 1 interval in PIXELS //keep this as a float, for accuracy diffFix = (int) diffVal; //cast to integer // // draw lowest horizontal i e from bottom of page // remember that (0,0) is TOP left corner! double dBase; int nn; dBase = loVal * multiplier; //convert low value to integer dBase = (int)(1 + dBase) - dBase; //find fractional part to NEXT line nn = (int) (1 + dBase * 10); //no of lines in partial section yco = (int) (dBase * interval); //find this in pixels ??? yco = colheight - yco; //compensate: start at bottom! diffFix ++; drawHn (g, xindnt, yco, width, interval, nn, colheight, yindnt); dBase = 1 + (int)(loVal * multiplier); // while (diffFix > 0) //remaining lines { drawH10 (g, xindnt, yco, width, interval, colheight, yindnt); if ( (yco > 16) //don't cramp at top! && (yco+15 < colheight) ) { g.drawString(prettyUp( java.lang.Double.toString(dBase/multiplier) ), xindnt-23, yindnt + yco+2); } dBase ++; diffFix --; yco =(int) (yco - interval); } } // --- functions 7A..D - Vertical line drawing functions --- // // 7A: draw 10 vertical lines, the first grey, the rest pink! void drawV10 (Graphics g, int xco, int yco, int height, double interval, int MAXW) { int count = 1; int xpos = xco; // g.setColor(Color.gray); g.drawLine (xco, yco, xco, yco-height); // g.setColor(Color.pink); while (count < 10) { xpos = (int)( xco + ( (interval*(double) count)/10 ) ); if (xpos < MAXW) { g.drawLine (xpos, yco, xpos, yco-height); }; count ++; } g.setColor(Color.gray); } // 7B: similar to drawV10, but draw only nn pink lines, in opposite direction void drawVnn (Graphics g, int xco, int yco, int height, double interval, int nn, int x0) { int count = 1; int xpos = xco; g.setColor(Color.pink); while (count < nn) { xpos = (int)( xco - ( (interval*(double) count)/10 ) ); if (xpos != x0) { g.drawLine (xpos, yco, xpos, yco-height); } count ++; } g.setColor(Color.gray); } // 7C: the following is similar to drawTicksY, just on the X axis: void drawTicksX(Graphics g, int x0, int y0, int wCanvas, int hCanvas, double loVal, double hiVal, int yindnt) { double diffVal; //difference between limits double multiplier = 1; //a scaling factor // diffVal = hiVal - loVal; //find actual interval if (diffVal == 0) { return; } //do nothing if no difference while (diffVal >= 10) //ensure value is < 10 { multiplier /= 10; // 15/11/2003: if make above line "> 10" diffVal /= 10; // prettier x axis, BUT squashed mess on right?! } while (diffVal < 1) //ensure > 1 { multiplier *= 10; diffVal *= 10; //get a multiplier to convert } //interval to No from 0..<10; // NOW diffVal has been converted to a number from 1 to < 10 // with the identity: diffVal = (hiVal - loVal) * multiplier // Let's assume that diffVal is k units wide. We next find // an "interval" where interval is 1 unit wide: double interval; interval = wCanvas / diffVal; //find width of 1 interval in PIXELS //keep this as a float, for accuracy // // next, draw verticals. At "interval"s we will have grey lines. // Between intervals we will have nine equally spaced pink lines // (sub-intervals, if you wish). // First, find the number of intervals: int iCount; //interval count iCount = (int) (1 + diffVal + 1E-5); //reason for 1e-5 is explored below! // // Next, find the x indent of the first vertical grey line. // we (1) scale the actual lower limit by multiplying by multiplier int firstVertical; double scaleval; double scale0; //used to retain scaleval scaleval = loVal * multiplier; // (2) add one to go PAST the first vertical scale0 = (1e-5 * scaleval) + scaleval; if (scale0 > 0) { scale0 ++ ;} //if +ve, round up //if -ve, leave (will be truncated correctly)! // (3) convert to an integer scale0 = (int) scale0; // (4) subtract the original (to get a value between 0 and 1) scaleval = scale0 - scaleval; // (5) convert this to a pixel offset along the x axis firstVertical = (int) (scaleval * interval); int nn; //No of pink lines to LEFT of 1st vertical nn = (int) (1 + 1e-5 + 10 * scaleval); // number is 1..10 if (nn > 10) { nn = 10; } //very clumsy scaleval = scale0; //remember scaled numeric value // // first, label leftmost point (ie with loVal): g.drawString( prettyUp(java.lang.Double.toString(loVal) ), x0-5, yindnt + y0+15); // draw nn PINK verticals to left of first grey one: int xco; xco = x0 + firstVertical; drawVnn (g, xco, yindnt + y0-1 , hCanvas, interval, nn, x0); // -1 is so as not to overwrite x axis // draw all the grey verticals: int greycount = 0; while (greycount < iCount) //remaining lines { xco = (int)(x0 + firstVertical + greycount * interval); drawV10 (g, xco, yindnt + y0-1, hCanvas-1, interval, wCanvas+x0); if (xco+15 >= x0+wCanvas) { xco -= 15; } //avoid clipping off rightmost label! if (xco-15 > x0) //avoid overwriting left label { g.drawString( prettyUp(java.lang.Double.toString(scaleval/multiplier) ), xco-8, yindnt + y0+15); } scaleval ++; greycount ++; } } //end of 12D. // --- function 8: just *DRAW* ! --- // public void drawMe () { repaint(); // ??? } } // ************************* // // END OF WINEGRAPH class // // ************************* // // ================================================================================ // // Appendix A: The GPL: // // GNU GENERAL PUBLIC LICENSE // Version 2, June 1991 // // Copyright (C) 1989, 1991 Free Software Foundation, Inc. // 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA // // Everyone is permitted to copy and distribute verbatim copies // of this license document, but changing it is not allowed. // // Preamble // The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This General Public License applies to most of the Free Software Foundation's software and to any other program whose authors commit to using it. (Some other Free Software Foundation software is covered by the GNU Library General Public License instead.) You can apply it to your programs, too. // // When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. // // To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the software, or if you modify it. // // For example, if you distribute copies of such a program, whether gratis or for a fee, you must give the recipients all the rights that you have. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. // // We protect your rights with two steps: (1) copyright the software, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the software. // // Also, for each author's protection and ours, we want to make certain that everyone understands that there is no warranty for this free software. If the software is modified by someone else and passed on, we want its recipients to know that what they have is not the original, so that any problems introduced by others will not reflect on the original authors' reputations. // // Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that redistributors of a free program will individually obtain patent licenses, in effect making the program proprietary. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. // // The precise terms and conditions for copying, distribution and modification follow. // // TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION // 0. This License applies to any program or other work which contains a notice placed by the copyright holder saying it may be distributed under the terms of this General Public License. The "Program", below, refers to any such program or work, and a "work based on the Program" means either the Program or any derivative work under copyright law: that is to say, a work containing the Program or a portion of it, either verbatim or with modifications and/or translated into another language. (Hereinafter, translation is included without limitation in the term "modification".) Each licensee is addressed as "you". // // Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running the Program is not restricted, and the output from the Program is covered only if its contents constitute a work based on the Program (independent of having been made by running the Program). Whether that is true depends on what the Program does. // // 1. You may copy and distribute verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and give any other recipients of the Program a copy of this License along with the Program. // // You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. // // 2. You may modify your copy or copies of the Program or any portion of it, thus forming a work based on the Program, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: // // // a) You must cause the modified files to carry prominent notices stating that you changed the files and the date of any change. // // b) You must cause any work that you distribute or publish, that in whole or in part contains or is derived from the Program or any part thereof, to be licensed as a whole at no charge to all third parties under the terms of this License. // // c) If the modified program normally reads commands interactively when run, you must cause it, when started running for such interactive use in the most ordinary way, to print or display an announcement including an appropriate copyright notice and a notice that there is no warranty (or else, saying that you provide a warranty) and that users may redistribute the program under these conditions, and telling the user how to view a copy of this License. (Exception: if the Program itself is interactive but does not normally print such an announcement, your work based on the Program is not required to print an announcement.) // These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Program, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Program, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. // Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Program. // // In addition, mere aggregation of another work not based on the Program with the Program (or with a work based on the Program) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. // // 3. You may copy and distribute the Program (or a work based on it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you also do one of the following: // // a) Accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, // // b) Accompany it with a written offer, valid for at least three years, to give any third party, for a charge no more than your cost of physically performing source distribution, a complete machine-readable copy of the corresponding source code, to be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, // // c) Accompany it with the information you received as to the offer to distribute corresponding source code. (This alternative is allowed only for noncommercial distribution and only if you received the program in object code or executable form with such an offer, in accord with Subsection b above.) // The source code for a work means the preferred form of the work for making modifications to it. For an executable work, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the executable. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. // If distribution of executable or object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place counts as distribution of the source code, even though third parties are not compelled to copy the source along with the object code. // // 4. You may not copy, modify, sublicense, or distribute the Program except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense or distribute the Program is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. // // 5. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Program or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Program (or any work based on the Program), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Program or works based on it. // // 6. Each time you redistribute the Program (or any work based on the Program), the recipient automatically receives a license from the original licensor to copy, distribute or modify the Program subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. // // 7. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Program at all. For example, if a patent license would not permit royalty-free redistribution of the Program by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Program. // // If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply and the section as a whole is intended to apply in other circumstances. // // It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system, which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. // // This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. // // 8. If the distribution and/or use of the Program is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Program under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. // // 9. The Free Software Foundation may publish revised and/or new versions of the General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. // // Each version is given a distinguishing version number. If the Program specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of this License, you may choose any version ever published by the Free Software Foundation. // // 10. If you wish to incorporate parts of the Program into other free programs whose distribution conditions are different, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. // // NO WARRANTY // // 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. // // 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. // // // END OF TERMS AND CONDITIONS // ================================================================================ // // Appendix B: 2004/1/24--29. Amendments, as requested by JW, with several minor ideas // for further improvements. In program above, alterations from v0.90 // are noted as v0.91 or v0.91a for slightly later amendements. // 1. Permit any acid to be up to 100% (i.e. no disable checking of maxima). // 1a. Amended so that total cannot exceed 100% (reduce entered value if this // will be so); SumPercent altered to double, percentages can be fractional; // display likewise prettied up. // 1b. STILL TO DO: Permit TAR of zero. <--- // (for now, clumsy hack is just to keep it low, ie minimum of 0.01). // 2. Changed to g/litre from g/kg. This required several alterations: // 2a. SG entry box in East panel; // (We will relegate Oechsle, Baume' and Brix to future upgrades) // SG is density relative to that of water, note that density of water is // only 1.000 at 4C. At 25, it's about 0.997044kg/l. So if SG is 1, then density // in kg/l is 0.997044; if we are to be pedantic, we should multiply by this coefficient. // ie SG [dimensionless] = rho(wine) [kg/l] / rho(water) = rho(wine) / 0.997044; // so amt/kg = amt/litre divided by rho(wine) = amt/litre divided by (SG * 0.997044) // (cf. http://www.in-situ.com/In-Situ/Downloads/pdf/Application_Technical%20Notes/TechNote001_Water%20Level%20Accuracy.pdf // IDEA: (Might look at hydrometers in a bit more detail?) // 2b. Enter TA as g/l, and convert this (using SG) to g/kg for calculations // 2c. Display of amounts of added malic/tartaric, potassium carbonate, or // added NaOH as per litre, ie *convert back* from g/kg using SG. // 2d. Note that IUPAC definition of pH (2002) is related to dilute aqueous solutions, // but is always molal. We thus assume the value we are given is molal, and // don't need to convert either way; however note that permittivity effects // (which we have simplistically ignored) will in any event swamp our tiny SG // issues! // 2e. Note that (of course) because molal is mol per kg of *solvent*, and // added amounts of solute will also alter the SG of the wine, we have // a further slight point of inaccuracy! // 3. Dynamic display of new TA: // 3a. For added acid: old TA + delta TA = old TA + MW of tartaric acid * // mola*r* change in TA (or whatever). // 3b. For ML fermentation and added base. Note that with ML fermentation we lose // 1 mol of TA for every 1 mol of conversion of MAL to LAC. // 4. Fixed the 'FUDGE problem' with NaOH titration: pH of 8.3 wasn't being reached! // 4a. Major 'problem' was in plotting function (last data point not shown) // (We have hacked in an extra data point to address this). // 4b. Minor problem was influence of tiny amts of H+ and OH-, and even unionised // acids at pH 8.3 on SID calculation, and thus on the rapidly changing titration // graph near this point! Very 'non-linear'. Both fixed, the latter by including // H+ and OH- concentrations, and unionised acid calculated using PopulateAcids. // 5. OTHER IDEAS: // 5a. PCO2. We have ignored this, but it might be worthwhile eventually adding // in the ability to calculate this, although once wine is opened, high PCO2 // in warmish wine will rapidly decline (champagne). Note that before testing, the // wine should be vigorously swirled to dispel CO2, or pH readings will be substantially // altered. Simply standing the wine to allow it to 'breathe' may not be sufficient! // Check out: http://bric.postech.ac.kr/science/97now/98_4now/980427c.html // Note that pressure d/t CO2 in champagne bottle will always be // over 100 kPa (CO2 0.392--5g/L at 20C), and often up to 6 atm. Check out: // (See: www.awbc.com.au/exporting/guide_to_export_pdfs/ Appendix3_Jan2003.pdf // www.abc.net.au/science/k2/moments/s793842.htm // science.csustan.edu/alchemist/champagne.htm // http://www.wineinstitute.org/fedlaw/regs/27cfr_part24/24_245.htm ) // 5b. Nice to have: A way of displaying (or even printing) a table of numbers! // 5c. Render eg K2CO3 with small subscripted numbers? // 5d. In on-screen display of pretty decimals, dont use Exponential notation, // say 0.02 or whatever. Could alter prettyUpN to do this. // 5e. In bottom row of controls, should decrease space (padding?) between acid // letters (e.g. M, L..) and their controls; could then perhaps increase width // of controls too. // 5f. Ideally, whenever alter a control should blank screen ?! (Prevents confusion) // 5g. Should we plot added NaOH as mls of a given solution?? (or have as option)? // 6. Added FocusEvent watcher so that any loss of focus from `percentage' controls // updates all percentages. Good. // 7. Amendments (as per JW's requests) 5/10/2004: // a. Alter colour of numbers on mouse click from green to blue // b. Change K2CO3 to KHCO3. See changes in body of above program. // Note that we: 1. replace 2 for 1 where we take into account K+ addition, // as only the single K+ ion now alters SID (the independent variable) // 2. Replace MW of K2CO3 with that of KHCO3. // c. JW wants the facility to alter SG as per temperature. It's not that simple. // At a different temperature, *every* constant will alter, including the // dissociation constant of water. These effects will have far more influence // on our already simplistic model than will changes in SG, the effects of which are // minute anyway. // 8. (Observation. If sum of inserted values is *exactly* 100% with tartaric acid of zero, // breaks. Should fix this at some stage :-) /* ========================================================== */ // THAT'S IT! // /* ========================================================== */ // (Well, almost. Here are a few ancillary notes: // NOTE 1. // previously we used `action', now deprecated in favour of: // addActionListener (java.awt.event.ActionListener myALname) [see WINECONTROLS] // TO USE THIS CLUMSY THING WE NEED TO: // import java.awt.event.*; // public class myeg extends Applet // implements ActionListener // check out: http://jigsaw.w3.org/Doc/Programmer/api/org/w3c/tools/widgets/IPTextField.html // http://javaboutique.internet.com/tutorials/Step/Chapter2/ActionExample.html // NOTE 2. // to convert a string to an integer // use something along the lines of: "int i = Integer.parseInt(s.trim());" // (see also usage in code above). // -----------------------------end of document--------------------------- // /////////////////////////////////////////////////////////////////////////////////////////