Assign several classes to multiple cells in a table?

Hello,
I've searched this forum and the Internet for hours, but haven't been able to find a solution for this very basic problem. I'm editing a large table with CSS class="basicTable" assigned to it. In my stylesheet there are two classes for cell properties:
num for cells that contain a number
alt for cells with an alternative background colour
I would now like to assign both classes to a group of cells <td class="num alt">...</td>, but not to  the complete table. Is there any way to do this other than editing each individual cell? When I select one cell, I can edit the CSS class in the Tag Inspector. When I select multiple cells, all I see in the Tag Insector is the CSS class for the whole table, not for the cells I have selected. 
I am editing several large tables each with up to 10 columns and 20 rows, some cells of which are merged. It is really time-consuming to go through each cell individually.
Has anybody ever encountered this issue?

CSS styled Table Columns
http://alt-web.com/DEMOS/CSS-3-color-table.shtml
Nancy O.
Alt-Web Design & Publishing
Web | Graphics | Print | Media  Specialists 
http://alt-web.com/
http://twitter.com/altweb

Similar Messages

  • Several line in a cell

    is it possible to create several line in one cell in a table?

    it's nothing to do with wrapping text, i just want to create multiple line in one cell,
    i want to create
    cell1   cell2     cell3
    ab       ab1     1
              ab2     
              ab3     
    but..... ab1, ab2, and ab3 in one cell

  • How do i select multiple cells in numbers or iPad?

    Hello,
    can you help me? I do not find out how to select multiple cells in a table that do not stand next to each other.
    For example, I want to select cells A1, A3, A9 and so on. Afterwards I want to change the colour.
    Do you have an idea? Perhaps it's quite simple but I don't find the solution
    Sorry, I'm no native english speaker. I hope you'll understand what I am looking for.

    HI Ritscho
    I do not beleive this is possible, I can see other threads here from 2 years ago asking the same thing and none of them have answers.
    You can selesct a range of adjacent cells as Eric said, but not 2 different ranges. I usually use numbers on the iPad for filling in template spreadsheets that I create on my Mac. Most of the formatting I do on the Mac then fill in the blanks whilst i'm out and about.
    Not the answer you were looking for but hope it helps.

  • How can I select multiple cells in tableview with javafx only by mouse?

    I have an application with a tableview in javafx and i want to select multiple cells only by mouse (something like the selection which exists in excel).I tried with setOnMouseDragged but i cant'n do something because the selection returns only the cell from where the selection started.Can someone help me?

    For mouse drag events to propagate to nodes other than the node in which the drag initiated, you need to activate a "full press-drag-release gesture" by calling startFullDrag(...) on the initial node. (See the Javadocs for MouseEvent and MouseDragEvent for details.) Then you can register for MouseDragEvents on the table cells in order to receive and process those events.
    Here's a simple example: the UI is not supposed to be ideal but it will give you the idea.
    import java.util.Arrays;
    import javafx.application.Application;
    import javafx.beans.property.SimpleStringProperty;
    import javafx.collections.FXCollections;
    import javafx.collections.ObservableList;
    import javafx.event.EventHandler;
    import javafx.geometry.Insets;
    import javafx.scene.Group;
    import javafx.scene.Scene;
    import javafx.scene.control.Label;
    import javafx.scene.control.SelectionMode;
    import javafx.scene.control.TableCell;
    import javafx.scene.control.TableColumn;
    import javafx.scene.control.TableView;
    import javafx.scene.control.cell.PropertyValueFactory;
    import javafx.scene.input.MouseDragEvent;
    import javafx.scene.input.MouseEvent;
    import javafx.scene.layout.VBox;
    import javafx.scene.text.Font;
    import javafx.stage.Stage;
    import javafx.util.Callback;
    public class DragSelectionTable extends Application {
        private TableView<Person> table = new TableView<Person>();
        private final ObservableList<Person> data =
            FXCollections.observableArrayList(
                new Person("Jacob", "Smith", "[email protected]"),
                new Person("Isabella", "Johnson", "[email protected]"),
                new Person("Ethan", "Williams", "[email protected]"),
                new Person("Emma", "Jones", "[email protected]"),
                new Person("Michael", "Brown", "[email protected]")
        public static void main(String[] args) {
            launch(args);
        @Override
        public void start(Stage stage) {
            Scene scene = new Scene(new Group());
            stage.setTitle("Table View Sample");
            stage.setWidth(450);
            stage.setHeight(500);
            final Label label = new Label("Address Book");
            label.setFont(new Font("Arial", 20));
            table.setEditable(true);
            TableColumn<Person, String> firstNameCol = new TableColumn<>("First Name");
            firstNameCol.setMinWidth(100);
            firstNameCol.setCellValueFactory(
                    new PropertyValueFactory<Person, String>("firstName"));
            TableColumn<Person, String> lastNameCol = new TableColumn<>("Last Name");
            lastNameCol.setMinWidth(100);
            lastNameCol.setCellValueFactory(
                    new PropertyValueFactory<Person, String>("lastName"));
            TableColumn<Person, String> emailCol = new TableColumn<>("Email");
            emailCol.setMinWidth(200);
            emailCol.setCellValueFactory(
                    new PropertyValueFactory<Person, String>("email"));
            final Callback<TableColumn<Person, String>, TableCell<Person, String>> cellFactory = new DragSelectionCellFactory();
            firstNameCol.setCellFactory(cellFactory);
            lastNameCol.setCellFactory(cellFactory);
            emailCol.setCellFactory(cellFactory);
            table.setItems(data);
            table.getColumns().addAll(Arrays.asList(firstNameCol, lastNameCol, emailCol));
            table.getSelectionModel().setCellSelectionEnabled(true);
            table.getSelectionModel().setSelectionMode(SelectionMode.MULTIPLE);
            final VBox vbox = new VBox();
            vbox.setSpacing(5);
            vbox.setPadding(new Insets(10, 0, 0, 10));
            vbox.getChildren().addAll(label, table);
            ((Group) scene.getRoot()).getChildren().addAll(vbox);
            stage.setScene(scene);
            stage.show();
        public static class DragSelectionCell extends TableCell<Person, String> {
            public DragSelectionCell() {
                setOnDragDetected(new EventHandler<MouseEvent>() {
                    @Override
                    public void handle(MouseEvent event) {
                        startFullDrag();
                        getTableColumn().getTableView().getSelectionModel().select(getIndex(), getTableColumn());
                setOnMouseDragEntered(new EventHandler<MouseDragEvent>() {
                    @Override
                    public void handle(MouseDragEvent event) {
                        getTableColumn().getTableView().getSelectionModel().select(getIndex(), getTableColumn());
            @Override
            public void updateItem(String item, boolean empty) {
                super.updateItem(item, empty);
                if (empty) {
                    setText(null);
                } else {
                    setText(item);
        public static class DragSelectionCellFactory implements Callback<TableColumn<Person, String>, TableCell<Person, String>> {
            @Override
            public TableCell<Person, String> call(final TableColumn<Person, String> col) {         
                return new DragSelectionCell();
        public static class Person {
            private final SimpleStringProperty firstName;
            private final SimpleStringProperty lastName;
            private final SimpleStringProperty email;
            private Person(String fName, String lName, String email) {
                this.firstName = new SimpleStringProperty(fName);
                this.lastName = new SimpleStringProperty(lName);
                this.email = new SimpleStringProperty(email);
            public String getFirstName() {
                return firstName.get();
            public void setFirstName(String fName) {
                firstName.set(fName);
            public String getLastName() {
                return lastName.get();
            public void setLastName(String fName) {
                lastName.set(fName);
            public String getEmail() {
                return email.get();
            public void setEmail(String fName) {
                email.set(fName);

  • How to create java classes when multiple xsd files with same root element

    Hi,
    I got below error
    12/08/09 16:26:38 BST: [ERROR] Error while parsing schema(s).Location []. 'resultClass' is already defined
    12/08/09 16:26:38 BST: [ERROR] Error while parsing schema(s).Location []. (related to above error) the first definition appears here
    12/08/09 16:26:38 BST: Build errors for viafrance; org.apache.maven.lifecycle.LifecycleExecutionException: Internal error in the plugin manager executing goal 'org.jvnet.jaxb2.maven2:maven-jaxb2-plugin:0.7.1:generate': Mojo execution failed.
    I tried genarate java classes from multiple xsd files, but getting above error, here in .xsd file i have the <xe: element="resultClass"> in all .xsd files.
    So I removed all .xsd files accept one, now genarated java classes correctly. but i want to genarte the java classes with diffrent names with out changing .xsd
    Can you please tell me any one how to resolve this one......
    regards
    prasad.nadendla

    Gregory:
    If you want to upload several Java classes in one script the solution is .sql file, for example:
    set define ?
    create or replace and compile java source named "my.Sleep" as
    package my;
    import java.lang.Thread;
    public class Sleep {
    public static void main(String []args) throws java.lang.InterruptedException {
    if (args != null && args.length>0) {
    int s = Integer.parseInt(args[0]);
    Thread.sleep(s*1000);
    } else
    Thread.sleep(1000);
    create or replace and compile java source named "my.App" as
    package my;
    public class App {
    public static void main(String []args) throws java.lang.InterruptedException {
    System.out.println(args[0]);
    exit
    Then the .sql file can be parsed using the SQLPlus, JDeveloper or SQLDeveloper tools.
    HTH, Marcelo.

  • Pasting multiple cells in Numbers.

    I have been searching all day to figure out how to copy cells from several rows and paste them but have the cells now adjacent to one another. This is possible in Excel (it does it automatically). For example, I have numbers in A1, A11, A21 and I would like to copy those 3 numbers (as they are the result of formulas) and then paste them but instead of having 10 empty rows between the numbers (which is what Numbers does) I would like the 3 values to be adjacent in the same column (eg, in B1,B2,B3). I can select the multiple cells I want to copy by holding the command key, but when I paste it keeps the same "format" as the original cells (i.e. separated by 10 rows). I'm using Numbers '09 Version 2.2, on a MacBook Pro running OSX 10.8.1.
    Any help is greatly appreciated!
    Best,
    K

    Hi Wayne,
    It is a lovely feature of MS Excel that you can copy non contiguous cells and upon paste they become contiguous.
    As for "bigger picture" - I have a large table for analyzing quantitative PCR data...it consists of several rows and columns with formulas for various calculations. What I am analyzing is the expression levels of a number of genes in several samples (for example, 5 genes and I look at the expression of those 5 genes in 4 samples). The "end point" is calculating the RQ value for each gene in each sample, and I then graph the RQ values. Where the non-contiguous to contiguous paste is necessary is that the RQ values are spread out along the rows and columns (the cells in between contain the raw data and other formulas). What I was previously doing was selecting multiple cells within the row that had the RQ values, copying, and then upon paste they would be contiguous. This makes copying and pasting all of the data for constructing the graph very efficient. I have recently switiched to Numbers and am prefering it to Excel...with the exception of this one feature. Yes, copying and pasting one item at a time is possible, but time consuming and error prone compared to the method I was using in Excel. Hopefully this explanation helps in finding a solution.
    Best,
    K

  • Struggling with Applying Cell refences of formulas to multiple cells

    Probably a basic question- I am new to Numbers.
    Ive been struggling for ages with applying a formula or cell reference to more than one cell at a time. If I select multiple cells (shift or command clicking them) - then I am unable to create a new 'Cell References'. Pressing the equals = sign merely gives me an error sound. And the formula bar is not accessible
    I have been struggling with this on and off now for about a week. Help - well it doesn't help and implies that I am doing the right thing, but it is not working. - Please help

    marky3 wrote:
    I ve been struggling for ages with applying a formula or cell reference to more than one cell at a time. If I select multiple cells (shift or command clicking them) - then I am unable to create a new 'Cell References'. Pressing the equals = sign merely gives me an error sound. And the formula bar is not accessible
    I have been struggling with this on and off now for about a week. Help - well it doesn't help and implies that I am doing the right thing, but it is not working. - Please help
    A better use for your time was to read carefully *Numbers User Guide* and *iWork Formulas and Fucnctions User Guide*.
    We may insert a reference to a range of cells in a cell's formula but we can't insert a formula in several cells with a single task.
    The correct protocol is :
    insert the formula in the first cell of the range then use the fill down (or fill up or fill to the right or fill to the left) feature.
    Yvan KOENIG (VALLAURIS, France) dimanche 21 février 2010 22:21:40

  • Multiple cells selection after research

    Hi to everyone,
    i'm trying to create a function word-find into a JTable (like the fuction - find on this page CTRL F).
    Now my method, when there are two or more same objects in the table, selects(with a differrent cell background) only the last one object find.
    How can I select all the right elements found?
    I hope I've been enough clear.
    Thanks a lot for the help
    Jas

    Thanks for the suggestion, but in this case is not
    the best solution, because I would have to modify
    several classes.
    This function would be only an added to one already
    existing application that contain many classes.Well the JXTable extends JTable, so the change would be minor
    Wouldn't be an other possibility/solution?Other than using something already created by someone else?

  • Multiple Cell Selection inJTable

    I want to select multiple cells ( 4 consequent cells) with single mouse click.The problem is the 4 cells are getting selected ,but the border is being set to only one cell on which i clicked,but the selection background color is set to all the four.
    i want the border to be included for all the four cells ,so that it looks like i have selected a set of cells .
    waiting for a reply.
    please help.

    In order to accomplish this, you will have to drastically modify the UI delegate for JTable. The difference between the areas you are speaking of is that one is the 'selection' and the one with the border is the 'focus' cell which represents the 'anchor' of the selection.
    The actual routines that paint the table cells are marked as private in the BasicTableUI class, so that is not a workable solution.
    Let this be a lesson to all Java programmers (ahem) about making critical methods private!
    Mitch

  • View material from several classes with characteristics

    Hi,
    I'm wondering if there's a transaction where you can show material from several classes at the same time, and also see the characteristics to be able to sort amongst them.
    My experience is that when the characteristics are shown I can only get the materials from one class, and when having a view of the materials from two or more classes I can't get information enough (like characteristics).
    Thanks in advance!

    1. Yes... several broadcasters can publish to a single server. Configuration will be dictated by your application architecture and anticipated usage requirements. You can republish the live streams to multiple servers to accomodate large audiences.
    2. FMS 3.5 does not multicast. Each client will consume server side bandwidth at a rate equal to the bitrate of the video stream
    3. FMIS (interactive server) supports authentication through a C++ architecture, and through server side actionscript. Authentication is not built-in... you'll need to develop your own authentication mechanism (see the recent thread on the topic).
    4. You can caluculate bandwidth by multiplying video bitrate by the number of clients publishing and/or subscribing to the stream. User capacity will be govorned by the capability of the hardware, and by the available throughput of the network interface. Unless you're running 10gigE network cards or very low end servers, chances are you'll max out throughput before you max out hardware.
    At 10,000 concurrent clients, you'll definitely need more than one server. For that volume, I'd plan for at least four, and plan for developing an architecture for distributing the live streams across multiple servers. A good place to start is here:
    http://www.adobe.com/devnet/flashmediaserver/articles/fmis_largescale_deploy/fmis_largesca le_deploy.pdf

  • Deleting the contents of multiple cells

    In Word for Mac, I used to be able to mark multiple cells, then hit delete and the contents of the cells would be deleted. Now, when I do the same thing, it wants to deelte the cells, not just the contents. Does anyone know what I am doing wrong and.or different?
    I am using Word for Mac 2011 Version 14.3.9.
    Thanks!

    Since no one seems to have mentioned a one-key solution here yet (instead of the 2-key "Fn + Delete" option) I'll suggest the following which is working well for me:
    1. Install "KeyRemap4MacBook." This shows up in your menu bar as a square.
    2. Click its box, select "Preferences,"
    3. Search for "backslash delete" (or something appropriate) and check the "Backslash(\) to Forward Delete (if no other modifiers are pressed)"
    4. Now the assigned key will remove all contents (not formatting) from any selected cells in Excel
    Benefits:
    * If you opt to use your backslash key for this purpose, it's situtated perfectly right under the "delete" key.
    * You can still access a real backslash ("\") by holding down "Fn" first
    * You now have a forward delete key for use across ALL your other apps, solving a lot of other problems.
    Good luck,
    Garth

  • How to check empty string and null? Assign same value to multiple variables

    Hi,
    1.
    How do I check for empty string and null?
    in_value IN VARCHAR2
    2. Also how do I assign same value to multiple variables?
    var_one NUMBER := 0;
    var_two NUMBER := 0;
    var_one := var_two := 0; --- Gives an error
    Thanks

    MichaelS wrote:
    Not always: Beware of CHAR's:
    Bug 727361: ZERO-LENGTH STRING DOES NOT RETURN NULL WHEN USED WITH CHAR DATA TYPE IN PL/SQL:
    SQL> declare
      2    l_str1   char (10) := '';
      3    l_str2   char (10) := null;
      4  begin
      5  
      6    if l_str1 is null
      7    then
      8      dbms_output.put_line ('oh STR1 is null');
      9    elsif l_str1 is not null
    10    then
    11      dbms_output.put_line ('oh STR1 is NOT null');
    12    end if;
    13  
    14    if l_str2 is null
    15    then
    16      dbms_output.put_line ('oh STR2 is null');
    17    elsif l_str2 is not null
    18    then
    19      dbms_output.put_line ('oh STR2 is NOT null');
    20    end if;
    21  end;
    22  /
    oh STR1 is NOT null
    oh STR2 is null
    PL/SQL procedure successfully completed.
    SQL> alter session set events '10932 trace name context forever, level 16384';
    Session altered.
    SQL> declare
      2    l_str1   char (10) := '';
      3    l_str2   char (10) := null;
      4  begin
      5  
      6    if l_str1 is null
      7    then
      8      dbms_output.put_line ('oh STR1 is null');
      9    elsif l_str1 is not null
    10    then
    11      dbms_output.put_line ('oh STR1 is NOT null');
    12    end if;
    13  
    14    if l_str2 is null
    15    then
    16      dbms_output.put_line ('oh STR2 is null');
    17    elsif l_str2 is not null
    18    then
    19      dbms_output.put_line ('oh STR2 is NOT null');
    20    end if;
    21  end;
    22  /
    oh STR1 is null
    oh STR2 is null
    PL/SQL procedure successfully completed.
    SQL> SY.

  • How do you format cell size in numbers for multiple cells at the same time?

    How do you format the cell size of multiple cells at once in numbers?

    select the cells you want to format by clicking at the top-left most cell, then shift click the bottom-right most cell.
    Then open the inspector by selecting the menu item "View > Show Inspector", then click the table inspector segment:
    now use the row height and column width fields to adjust as needed.
    You can also select multiple rows and columns by clicking in an active tables row/column header, then dragging to select rows (or column), then hover the cursor on the line the separates rows (or columns) until the cursor changes to a bar with arrows, then click, hold, and drag as needed.

  • Trying to get multiple cell values within a geometry

    I am provided with 3 tables:
    1 - The GeoRaster
    2 - The geoRasterData table
    3 - A VAT table who's PK is the cell value from the above tables
    Currently the user can select a point in our application and by using the getCellValue we get the cell value which is the PK on the 3rd table and this gives us the details to return to the user.
    We now want to give the worst scenario within a given geometry or distance. So if I get back all the cell values within a given geometry/distance I can then call my other functions against the 3rd table to get the worst scores.
    I had a conversation open for this before where JeffreyXie had some brilliant input, but it got archived while I was waiting on Oracle to resolve a bug (about 7 months)
    See:
    Trying to get multiple cell values within a geometry
    If I am looking to get a list of cell values that interact with my geometry/distance and then loop through them, is there a better way?
    BTW, if anybody wants to play with this functionality, it only seems to work in 11.2.0.4.
    Below is the code I was using last, I think it is trying to get the cell values but the numbers coming back are not correct, I think I am converting the binary to integer wrong.
    Any ideas?
    CREATE OR REPLACE FUNCTION GEOSUK.getCellValuesInGeom_FNC RETURN VARCHAR2 AS
    gr sdo_georaster;
    lb blob;
    win1 sdo_geometry;
    win2 sdo_number_array;
    status VARCHAR2(1000) := NULL;
    CDP varchar2(80);
    FLT number := 0;
    cdl number;
    vals varchar2(32000) := null;
    VAL number;
    amt0 integer;
    amt integer;
    off integer;
    len integer;
    buf raw(32767);
    MAXV number := null;
    r1 raw(1);
    r2 raw(2);
    r4 raw(200);
    r8 raw(8);
    MATCH varchar2(10) := '';
    ROW_COUNT integer := 0;
    COL_COUNT integer := 0;
    ROW_CUR integer := 0;
    COL_CUR integer := 0;
    CUR_XOFFSET integer := 0;
    CUR_YOFFSET integer := 0;
    ORIGINY integer := 0;
    ORIGINX integer := 0;
    XOFF number(38,0) := 0;
    YOFF number(38,0) := 0;
    BEGIN
    status := '1';
    SELECT a.georaster INTO gr FROM JBA_MEGARASTER_1012 a WHERE id=1;
    -- first figure out the celldepth from the metadata
    cdp := gr.metadata.extract('/georasterMetadata/rasterInfo/cellDepth/text()',
    'xmlns=http://xmlns.oracle.com/spatial/georaster').getStringVal();
    if cdp = '32BIT_REAL' then
    flt := 1;
    end if;
    cdl := sdo_geor.getCellDepth(gr);
    if cdl < 8 then
    -- if celldepth<8bit, get the cell values as 8bit integers
    cdl := 8;
    end if;
    dbms_lob.createTemporary(lb, TRUE);
    status := '2';
    -- querying/clipping polygon
    win1 := SDO_GEOM.SDO_BUFFER(SDO_GEOMETRY(2001,27700,MDSYS.SDO_POINT_TYPE(473517,173650.3, NULL),NULL,NULL), 10, .005);
    status := '1.2';
    sdo_geor.getRasterSubset(gr, 0, win1, '1',
    lb, win2, NULL, NULL, 'TRUE');
    -- Then work on the resulting subset stored in lb.
    status := '2.3';
    DBMS_OUTPUT.PUT_LINE ( 'cdl: '||cdl );
    len := dbms_lob.getlength(lb);
    cdl := cdl / 8;
    -- make sure to read all the bytes of a cell value at one run
    amt := floor(32767 / cdl) * cdl;
    amt0 := amt;
    status := '3';
    ROW_COUNT := (WIN2(3) - WIN2(1))+1;
    COL_COUNT := (WIN2(4) - WIN2(2))+1;
    --NEED TO FETCH FROM RASTER
    ORIGINY := 979405;
    ORIGINX := 91685;
    --CALCUALATE BLOB AREA
    YOFF := ORIGINY - (WIN2(1) * 5); --177005;
    XOFF := ORIGINX + (WIN2(2) * 5); --530505;
    status := '4';
    --LOOP CELLS
    off := 1;
    WHILE off <= LEN LOOP
    dbms_lob.read(lb, amt, off, buf);
    for I in 1..AMT/CDL LOOP
    if cdl = 1 then
    r1 := utl_raw.substr(buf, (i-1)*cdl+1, cdl);
    VAL := UTL_RAW.CAST_TO_BINARY_INTEGER(R1);
    elsif cdl = 2 then
    r2 := utl_raw.substr(buf, (i-1)*cdl+1, cdl);
    val := utl_raw.cast_to_binary_integer(r2);
    ELSIF CDL = 4 then
    IF (((i-1)*cdl+1) + cdl) > len THEN
    r4 := utl_raw.substr(buf, (i-1)*cdl+1, (len - ((i-1)*cdl+1)));
    ELSE
    r4 := utl_raw.substr(buf, (i-1)*cdl+1, cdl+1);
    END IF;
    if flt = 0 then
    val := utl_raw.cast_to_binary_integer(r4);
    else
    val := utl_raw.cast_to_binary_float(r4);
    end if;
    elsif cdl = 8 then
    r8 := utl_raw.substr(buf, (i-1)*cdl+1, cdl);
    val := utl_raw.cast_to_binary_double(r8);
    end if;
    if MAXV is null or MAXV < VAL then
    MAXV := VAL;
    end if;
    IF i = 1 THEN
    VALS := VALS || VAL;
    ELSE
    VALS := VALS ||'|'|| VAL;
    END IF;
    end loop;
    off := off+amt;
    amt := amt0;
    end loop;
    dbms_lob.freeTemporary(lb);
    status := '5';
    RETURN VALS;
    EXCEPTION
        WHEN OTHERS THEN
            RAISE_APPLICATION_ERROR(-20001, 'GENERAL ERROR IN MY PROC, Status: '||status||', SQL ERROR: '||SQLERRM);
    END;

    Hey guys,
    Zzhang,
    That's a good spot and as it happens I spotted that and that is why I am sure I am querying that lob wrong. I always get the a logic going past the total length of the lob.
    I think I am ok using 11.2.0.4, if I can get this working it is really important to us, so saying to roll up to 11.2.0.4 for this would be no problem.
    The error in 11.2.0.3 was an internal error: [kghstack_underflow_internal_3].
    Something that I think I need to find out more about, but am struggling to get more information on is, I am assuming that the lob that is returned is all cell values or at lest an array of 4 byte (32 bit) chunks, although, I don't know this.
    Is that a correct assumption or is there more to it?
    Have either of you seen any documentation on how to query this lob?
    Thanks

  • How to find and replace multiple cells at a time

    I am doing repetitive work re find text in numbers but then replace following cells with text. How can I find and replace multiple cells at a time?
    i.e. doing my own budget spreadsheet and coding all transactions with description and code

    Did you try the "Find/Replace" dialog box?:
    Then click the "Replace All" button in the bottom left.

Maybe you are looking for

  • Error 43 when trying to export movie to image sequence

    Hello, I'm trying to export a movie to image sequence. I did this successfully on our other xp machine but am getting an error 43 message with this one. I have searched online and on the forums and can't find a solution. Help would be appreciated. Th

  • How to get on your ipad when it is disabled

    how to get on your ipad when it is disabled

  • TDS DETAILS

    hi TO ALL, Can u tell me "regarding TDS" step by step procedure in CIN area? How can i list out TDS vendor? Regards kavi

  • IChat changing Status on its own

    I have now had a number of events where I set my iChat Status to "Away" or a custom "In Conference", and it shows that on my Buddy List, but the rest of the world sees something different. When they then, based on what they see as my Status, invite m

  • Do I have to configure DNS server before configuring VPN server?

    Hi, In my journey to get this mac os X server to actually work... Do I need to configure DNS server on Mac OS X server first before setting up VPN or ICHAT server? Or, it seems that I can use my D-Link Gaming router as a DNS server. I think I'm most