How to format a cell in a second table to show m3 as m³

I can make an "own format" but I need it too often.
So it will be much work.
After I change the first cell to other text, the "own format" wil be shown a wrong Text in this second table-cell.
So, how else?

To get the number in to superscript you can use the keys Ctrl + Cmd + plus sign. Press the keys just before writing the number and then gain just after to get the coming text in normal format
I am not sure I understood all of your post. If there is another hidden question please repeat it.

Similar Messages

  • How to Format DataGridView Cells after user input, also find average of Timespans

    I'm a rather new to programming and slowly learning as best I can, and feel that I'm probably just getting hung up on some things because of my lack of overall understanding.  I've searched plenty online and these forums to figure out my issues, but
    somethings just go over my head or I can't figure out how to make it work for what I'm trying to do.
    On to what I'm trying to do.
    I'm working on building an app for scoring swim meets for our conference.  I'm using a lcal SQL DB for all of the data and have a DGV on my form.  We don't have timing systems so we take 2 times from stop watches and then need to do an average
    of the times to determine a swimmers time.  I have 3 fields for times, Time1, Time2 and AvgTime.
    What I'm needing help with is how do I allow the user to not worry about formatting the time they enter but have it automatically format what they input after they exit the cell on Time1 and Time2.  Then I need to have it figure out the average of those
    two times in AvgTime cell.  I'm able to get the averaging to work if I have the datatype set to decimal or int, but I can't get it to work if I have them set has TimeSpan.
    Below is the code I have currently.  As you can see I've got things commented out that I found online but couldn't make work.
    Thanks for taking the time to review this and help me out.
    Public Class EventScoring
    Private Sub EventScoring_Load(sender As Object, e As EventArgs) Handles MyBase.Load
    'TODO: This line of code loads data into the 'MeetDataSet.DualLineup' table. You can move, or remove it, as needed.
    Me.DualLineupTableAdapter.Fill(Me.MeetDataSet.DualLineup)
    'TODO: This line of code loads data into the 'MeetDataSet.EventList' table. You can move, or remove it, as needed.
    Me.EventListTableAdapter.Fill(Me.MeetDataSet.EventList)
    'DualLineupDataGridView.Columns(5).DefaultCellStyle.Format = ("mm\:ss\.ff")
    MeetDataSet.DualLineup.Columns("AvgTime").Expression = "(([Time1] + [Time2]) /2)"
    End Sub
    Private Sub Sub_Btn_Click(ByVal sender As Object, ByVal e As EventArgs) Handles Sub_Btn.Click
    Try
    Me.Validate()
    Me.DualLineupBindingSource.EndEdit()
    Me.DualLineupTableAdapter.Update(Me.MeetDataSet.DualLineup)
    MsgBox("Update successful")
    Catch ex As Exception
    MsgBox("Update failed")
    End Try
    End Sub
    'Private Sub DualLineupDataGridView_CellFormatting(ByVal sender As Object, ByVal e As DataGridViewCellFormattingEventArgs) Handles DualLineupDataGridView.CellFormatting
    ' If ((e.ColumnIndex = 5) AndAlso (Not IsDBNull(e.Value))) Then
    ' Dim tp As TimeSpan = CType(e.Value, TimeSpan)
    ' Dim dt As DateTime = New DateTime(tp.Ticks)
    ' e.Value = dt.ToString("mm\:ss\.ff")
    ' End If
    'End Sub
    'Private Sub DualLineupDataGridView_CurrentCellDirtyStateChanged(ByVal sender As Object, ByVal e As DataGridViewCellFormattingEventArgs) Handles DualLineupDataGridView.CurrentCellDirtyStateChanged
    ' If ((e.ColumnIndex = 5) AndAlso (Not IsDBNull(e.Value))) Then
    ' Dim tp As TimeSpan = CType(e.Value, TimeSpan)
    ' Dim dt As DateTime = New DateTime(tp.Ticks)
    ' e.Value = dt.ToString("mm\:ss\.ff")
    ' End If
    'End Sub
    End Class

    AB,
    If you're ok with your database other than working out this issue with time, you might want to give the following a try. It's pretty flexible in that you can give it a string or a decimal, and I'll explain:
    The string can be in the format of "mm:ss" (minutes and seconds) or in the format of "mm:ss:f~".
    The reason that I put the tilda there is because you're not limited on the number of decimal places - it will work out the math to figure out what you meant.
    Also though, you can give it a decimal value representing the total number of seconds. Do be sure to clearly denote that it's a decimal type (otherwise it will assume it's a double and will fail). Here's the class:
    Public Class SwimmerTime
    Private _totalSeconds As Decimal
    Public Sub New(ByVal value As Object)
    Try
    Dim tSeconds As Decimal = 0
    If TypeOf value Is String Then
    Dim s As String = CType(value, String)
    If Not s.Contains(":"c) Then
    Throw New ArgumentException("The string is malformed and cannot be used.")
    Else
    Dim elements() As String = s.Split(":"c)
    For Each element As String In elements
    If Not Integer.TryParse(element, New Integer) Then
    Throw New ArgumentException("The string is malformed and cannot be used.")
    End If
    Next
    If elements.Length = 2 Then
    tSeconds = (60 * CInt(elements(0)) + CInt(elements(1)))
    ElseIf elements.Length = 3 Then
    tSeconds = (60 * CInt(elements(0)) + CInt(elements(1)))
    Dim divideByString As String = "1"
    For Each c As Char In elements(2)
    divideByString &= "0"
    Next
    tSeconds += CDec(elements(2)) / CInt(divideByString)
    Else
    Throw New ArgumentException("The string is malformed and cannot be used.")
    End If
    End If
    ElseIf TypeOf value Is Decimal Then
    Dim d As Decimal = DirectCast(value, Decimal)
    tSeconds = d
    Else
    Throw New ArgumentException("The type was not recognizable and cannot be used.")
    End If
    If tSeconds = 0 Then
    Throw New ArgumentOutOfRangeException("Total Seconds", "Must be greater than zero.")
    Else
    _totalSeconds = tSeconds
    End If
    Catch ex As Exception
    Throw
    End Try
    End Sub
    Public Shared Function GetAverage(ByVal value1 As Object, _
    ByVal value2 As Object) As SwimmerTime
    Dim retVal As SwimmerTime = Nothing
    Try
    Dim st1 As SwimmerTime = New SwimmerTime(value1)
    Dim st2 As SwimmerTime = New SwimmerTime(value2)
    If st1 IsNot Nothing AndAlso st2 IsNot Nothing Then
    Dim tempList As New List(Of Decimal)
    With tempList
    .Add(st1.TotalSeconds)
    .Add(st2.TotalSeconds)
    End With
    Dim averageSeconds As Decimal = tempList.Average
    retVal = New SwimmerTime(averageSeconds)
    End If
    Catch ex As Exception
    Throw
    End Try
    Return retVal
    End Function
    Public ReadOnly Property FormattedString As String
    Get
    Dim ts As TimeSpan = TimeSpan.FromSeconds(_totalSeconds)
    Return String.Format("{0:00}:{1:00}:{2:000}", _
    ts.Minutes, _
    ts.Seconds, _
    ts.Milliseconds)
    End Get
    End Property
    Public ReadOnly Property TotalSeconds As Decimal
    Get
    Return _totalSeconds
    End Get
    End Property
    End Class
    I'll show how to use it by example:
    Option Strict On
    Option Explicit On
    Option Infer Off
    Public Class Form1
    Private Sub Form1_Load(ByVal sender As System.Object, _
    ByVal e As System.EventArgs) _
    Handles MyBase.Load
    Try
    Dim averageSwimmerTime As SwimmerTime = _
    SwimmerTime.GetAverage("02:24:05", 145.3274D)
    MessageBox.Show(String.Format("Formatted String: {0}{1}Actual Value: {2}", _
    averageSwimmerTime.FormattedString, vbCrLf, _
    averageSwimmerTime.TotalSeconds), _
    "Average Swimmer Time")
    Stop
    Catch ex As Exception
    MessageBox.Show(String.Format("An error occurred:{0}{0}{1}", _
    vbCrLf, ex.Message), "Program Error", _
    MessageBoxButtons.OK, MessageBoxIcon.Warning)
    End Try
    Stop
    End Sub
    End Class
    An advantage here is that since it returns an instance of the class, you have access to the formatted string, and the actual decimal value.
    I hope you find this helpful. :)
    Still lost in code, just at a little higher level.

  • How to add a cell from 2 different tables in 2 different Matrix(s) that reside on the same rdlc report?

    Hello Community
        Using Visual Studio 2008 I have created a Windows Forms Application in which I created
    Embedded Reports (rdlc).
        The embedded reports (rdlc) uses Matrix(s).
        Now on this one rdlc I have dragged 2 Matrix(s) onto the body.
        One of the Matrix datasource dataset name and table name is "DataSet1_Table1.
        A cells in the Matrix has a total column on the end as follows:
    =FormatNumber(Sum(Fields!fld1.Value)+Sum(Fields!fld2.Value)+Sum(Fields!fld3.Value)+Sum(Fields!fld4.Value)+Sum(Fields!fld5.Value),"0")
        The other Matrix datasource dataset name and table name is "DataSet2_Table2.
        The cell in this Matrix has a total column on the end as follows:
    =Sum(Fields!fld1.Value)+Sum(Fields!fld2.Value)+Sum(Fields!fld3.Value)+Sum(Fields!fld4.Value)+Sum(Fields!fld5.Value)
        As you can see each Matrix has a different table.
        I would like to add the total columns from each table in each Matrix but I haven't been
    able to do it successfully. If I have to drag another Matrix or a Textbox on the
    body to do it that is okay and/or add another/different formula to a cell onto the body that is
    okay too.
        So my question is how can I add the contents of the total in cell from each table in each matrix
    which will create the "grand total"?
        Thank you
        Shabeaut

    It is possible to reference SSRS elements directly using the ReportItems collection. If your total tablix cell is outside of yoour matrix groups, you can use this collection to accomplish what you want:
    =ReportItems!Matrix1Total.Value + ReportItems!Matrix2Total.Value
    where Matrix1Total and Matrix2Total is the name of the cell that contains your totals. Note that for this to work, the cell name must be unique. If the total cell is inside a group, it will be repeated once for each instance of the group and will not be
    unique.
    You may be able to do it using the Sum aggregate and specifying the dataset for the scope variable:
    =Sum(Fields!fld1.Value, "DataSet1")+Sum(Fields!fld2.Value,
    "DataSet1")+Sum(Fields!fld3.Value,
    "DataSet1")+Sum(Fields!fld4.Value,
    "DataSet1")+Sum(Fields!fld5.Value,
    "DataSet1")+Sum(Fields!fld1.Value,
    "DataSet2")+Sum(Fields!fld2.Value,
    "DataSet2")+Sum(Fields!fld3.Value,
    "DataSet2")+Sum(Fields!fld4.Value,
    "DataSet2")+Sum(Fields!fld5.Value,
    "DataSet2")
    This will work as long as you are not filtering the dataset in your Matrix properties. If you are, those
    filters will not apply to this expression and the numbers will not total correctly.
    "You will find a fortune, though it will not be the one you seek." -
    Blind Seer, O Brother Where Art Thou
    Please Mark posts as answers or helpful so that others may find the fortune they seek.

  • How to adjust the cell width in the table

    How can the width of the cell in a table for ADE be adjusted ?
    I wrote the following HTML code in a ePub file.
    <table style="width:100%;border-collapse: collapse;">
            <tr><td style="width:25%">red</td>
    <td style="width:75%">red</td></tr>
          </table>
    But, the created table runs over the page at the right side in the ADE (see figure). The values of widths in the both td tags are set to 50% and the same result is got.  However, with no set of the values the table fits in the page.
    Why? How should I do?

    Try adding "margin: 0;" to the table style (or to parent elements of the table)
    In case you don't know already, itis easy to play quickly with HTML at a site like http://www.w3schools.com/html/tryit.asp?filename=tryhtml_basic
    However, that won't reflect the 'outer' environment imposed by different browsers, eReaders etc.
    The more explicit you make your HTML (eg explicit margin) rather than leaving it to environment support,
    the more likely it is to appear the same (within reason of size etc) on all browsers/devices.
    Probably worth making a fairly extensive style of your defaults that applies at the <doc> level.

  • How do I reference cells from a different table/ sheet in the same document

    Say I have a Sheet that contains two Tables: [A] and . Is it possible to cross-reference the content of a cell in Table [A] from Table and use it to create a function in Table ?
    Eg: =SUM[TableA(K20)]+[TableB(F20:F50)]
    Could I similarly cross-reference the content of cells in Tables in different Sheets?
    Thanks,
    Seb

    Seb,
    Yes, you can. With the cursor in the location where you want to place the external reference, navigate to your Sheet and Table of choice and click the cell that you wish to reference. The external reference will appear in the formula.
    Note however that we are talking about different sheets in the same Numbers file. We can't reference sheets or tables in other files.
    Jerry
    Message was edited by: Jerrold Green1

  • How to make a cell that recognized the second from last?

    Two tables. First is data and second refers to the second to last column of the first which is always changing. The first table is a weekly table so it is constantly expanding. On that first table has a number that changes with it. I want the second table to show that changing number.
    mon
    tue
    wed
    1
    1
    2
    1
    2
    4
    ^ this is table one for week 1. my second table wants C3 to show on its table because it is a total.
    However, by next week i will have added a new week onto this one
    mon
    tue
    wed
    mon
    tue
    wed
    1
    1
    2
    2
    2
    1
    1
    2
    4
    6
    8
    9
    since i have added, table 2 will still be showing C3 since i, at the time, set it to show the, then current, total.
    Is there a way to make table two always refer to the the last column of the 3 row?

    Hi gaksdd,
    I am feeling bad. I am afraid that your spreadsheet will be ungainly and cranky and hard to update in the future. I want to say this much at least: Numbers tends to work best when the tables are longer than they are wide. I don't expect you to have this problem but while tables can have potentially thousands of lines they cannot have more than 256 columns. Many things will tend to work better if you orient your tables this way. As you are just beginning it makes sense to develop good habits and start thinking more like the program designers expect. It will pay off. If you ever decide to use iOS forms for data input they are designed to input data one row at a time. If you are inputing more than 1 number a day it would make sense to reorient your data table so the weeks run down the page.
    INDEX(range,row-index,column-index,area-index)
    You have specified a range.Then the first comma.
    row-index is where you specify a row. In my example it was "2" for the second row in the range. This is where you would use ROWS(), before the second comma.
    column-index is where I used COLUMN(). then the third comma.
    We don't need area-index.
    I get a certain pleasure in pushing this program in unusual ways and this certainly qualifies. It is not a best practice.
    When you have your formula working, compare it to
    =SUM(Table One::2:2)÷2 or the variation needed for your table. This way of working makes your report table more reliable.
    Simpler is more robust, less likely to bite you in the butt down the line.
    quinn

  • Format Excel cell

    Hi,
    I am writing a program that will send out an email with an excel attachment. When I open the excel file, it does show the leading zeros if the value contents only digits. For example. if the plant is '0005' the file displays just '5'. Do you know how to format the cell to text field?
    I am using FM 'SO_DOCUMENT_SEND_API1' for the email sending.
    Thanks,
    Chuong

    Hi,
    If you are using OLE automation to create the excel, you should format the cell like this:
    SET PROPERTY OF cell 'NumberFormat' = '@'.
    Regards,
    Claudiu

  • How can I copy cell formatting from one range to another?

    How can I copy cell formatting from one range to another, including text fonts, colours, borders, etc., so that, for example, I can reuse a formatted reconciliation table again in different parts of a sheet?

    Hi George,
    Wayne found the Spinning Beachball of Death, and you will find it too.
    Numbers is not good at handling large datasets. Might I suggest that you group your data into smaller sets (each month, perhaps?) and save each group in a separate Numbers document. Numbers will not link between documents, but you could have a summary Table within each document. Then comes the "clunky" bit of copying all those summary tables into a master document where you do the final processing of the data.
    Regards,
    Ian.

  • In fact it's about mac:excel, how convert in a cell a number written in text format into a value?

    in fact it's about mac:excel8 or 11 in OSX10.7.4,
    how convert in a cell a number written in text format into its value?
    cheers francois

    Hi francois,
    If I copyone of them and do a past special/value, it does not work.
    Try just Paste instead of Paste Special > Value
    I know your question is about Excel, but this works in Numbers:
    Copy 1 234 567 (with spaces) and Paste (not Paste Special) into a Cell in a Numbers Table. The result is 1234567 and it behaves as a number. A formula will consider it to be a number:
    You asked Wayne: what do you mean by "to reference a cell" ??
    The reference is from Cell A2 to Cell A1 through a formula, such as: =A1+1
    Regards,
    Ian.

  • How to format programming source-code in a Framemaker document?

    I have to write up a technical document in Framemaker that explains various programming source-code.
    So my document consists of a bunch of text, followed by a bunch of source code (Java, XML) and then followed by more text, etc.
    What I'm confused about is how to format source code as part of my document. Has anyone done this for a technical document and come across any instructions or tips? So far my Googling hasn't produced anything relevant to what I need to do.

    If you haven't created a paragraph format that uses a fixed-width font, such as Courier or a console font, you need to do that.
    If you want to preserve line breaks in the code, and if it has fairly long lines, you're likely to need to specify a font size of 7 pt. or so. For really long lines, you may need to go to a landscape page format or incorporate a way of telling your readers that the lines wrap.
    Those are the basics. If you want to get fancier, I usually set up a table so I can apply a contrasting background tone, and format each line of code as a cell (it's a one-column table). You can also add a second column to hold line numbers, if you want.
    Art

  • How to format new hard drive for Apple TV when you can't use old HD

    I need to know how to format a new HD to install in my Apple TV where I can't use the old HD to clone or otherwise create the new structure on the new HD.
    I have an Apple TV that was syncing to a Mac Mini that had a defective HD and logic board. I was unable to backup the Apple TV to the Mac Mini for some time before I had the mini repaired by AppleCare.
    When the mini came back, it registered on the Apple TV as a new computer and I couldn't sync with it without losing hundreds of dollars of content.
    All was okay until the other night when Apple's defective update for the ATV erased ALL my content. I updated it to 3.1 this morning, which Apple indicated might fix the problem. It didn't. The old content is all gone.
    My ATV is out of warranty, so I removed the old HD and copied the files from the "Purchased" folder to my mini. That saved most 101 items that I purchased since 12/08 (but not all for some reason). I lost all content prior to 12/08 that I purchased, as well as some content since 12/08 that I purchased.
    I need to keep the old HD untouched until I can purchase data recovery software. I'd like to just put a spare IDE HD in that I have into the ATV and just start over with what is in my Mac mini iTunes.
    So, how does one do that? I'm not gifted with vast Unix knowledge or experience and I don't want to clone the old HD and risk losing more data if it writes to the HD for some reason.
    Thanks.

    Hi Atagahi,
    Firstly, have you emailed Apple iTunes support indicating your issue? There have been instances in which Apple will allow re-downloading of all content you've purchased on the iTunes store.
    Secondly, I highly recommend you get an external usb hard drive, attach it to your mini and use it as a Time Machine drive to keep your iTunes purchases safe. It's a fact of life that all hard disk drives will eventually fail. The Apple TV should never be used as any kind of permanent storage space; think of it as a 'temporary holding' zone. And as you've unfortunately already experienced, a glitch wiped out all content on the Apple TV.
    As regards your original question, it seems like there have been folks who've done just that...taken the internal drive in the Apple TV out and attached it to a mac and copied files from the Apple TV hard drive. I have not had to do such, so I cannot offer any help here except for Linda's suggestion on googling the net for solutions.
    Good luck and hope you get all your purchased content back Atagahi!
    Message was edited by: Alec

  • How to switch off 'Cell Info' in Lumia 925

    I recently bought Lumia 925. I am getting constsnt messages pertaining to 'Cell Info'. They keep on appearing once in every few seconds & pile up in a huge number. You can not make a call unless you acknowledge all of them, which takes huge time, alternatively I have to switch the phone off & on & make a call after re-boot!!
    I was using Nokia E 63 earlier. It had a setting facility for 'Cell Info' on or off. I do not find any setting facility for 'Cell Info' in Lumia 925.
    Please guide me how to set the Cell Info off, or I will have to discard this Lumia 925

    Thanks everybody for the suggestions!
    a) I tried with SIM of other service provider : There were no troublesome flash messages. b) I contacted my service provider: Airtel: After trying for tremendous patience with support number 121, somehow I could convey the message about what was happening. My call was transferred to a senior person, who promised me that these 'Flash' messages would stop in half an hour. It did not happen. Once again through 121, once again the promises, nothing happens. I personally visited Airtel support centre. Again nothing happens. c) I tried my old E 63 & switched off Cell Info with the same SIM. I am not able to use Lumia 925 because of Flash messages accumulating every few seconds.
    Conclusions: I have to change my service provider Or Phone Or Both. – Now I may go for the last option with frustrations.

  • How to Format external drive previously formatted for NSLU2

    Windows XP.
    I've had two external hard drives connected to my NSLU2 for several years.  Always worked properly.  Nevery any problems accessing files from either drive.  Now, I'd like to remove one external drive and no longer use it with the NSLU2 (Disk 1).  I just want to use it as a "regular" external drive and connect it directly to my PC by USB. When I plug it into my PC, it is not visible in Windows Explorer.  When I right click "My Computer" and select "Manage", I can see it in the "Disk Management" section, but there is no drive letter assigned to it.  It has partitions.  When I right click on any partition, the "Format" option is grayed out and cannot be selected.  Also, the "Change Drive Letter..." option is grayed out and cannot be selected.  How can I format this disk back to whatever it needs to be in order to use it as a regular external drive?  NOTE:  I do not need to keep any files on the drive.  I've already transferred the files I need to another drive.  Thanks!

    Never mind.  I figured it out.  I downloaded a free utility for formatting large drives in FAT32. The utility ran a quick format in just a few seconds and then the drive became available in Windows Explorer where I can now perform a complete format or just use as-is.

  • How to setup the clock to the second.

    How to setup the clock to the second. I'm able to setup hours and minutes correctly but not the seconds precisely. Can I synchronize with an atomic clock?

    Set whether iPhone sets the date and time automatically
    Choose General > Date & Time and turn Set Automatically on or off.
    If iPhone is set to update the time automatically, it gets the correct time over the cell network, and updates it for the time zone you're in.
    from: http://support.apple.com/kb/TA38641

  • How to format my digital camera?

    I have a Canon digital camera that I have used with my iPhoto program frequently for still photographs. Recently, I took some short videos with my camera and I'm not sure how to access them on my computer. I think I need to import them into iMovie, but when I try to do this, it says that no camera is detected. Can anyone guide me through this? I'm not that computer savvy, so the simpler, step by step instructions would be most helpful. Thanks!

    Hi Sarah: First, your inquiry is misleading. Formatting your camera has little to do with accessing your videos. Anyway, I, too, take occasional short videos with my Kodak camera. What I do, however, is simply attach my camera to my mac, activate iPhoto, and when it tells me to, I hit the download button and all pics, both still and video, enter iPhoto's library. Then, after your through, disengage the camera ( always make sure that you turn your camera OFF before doing this).
    Your video pics are easily located in the iPhoto library - they are the only ones with a small camcorder logo in the bottom left of the frame, and each video will have the length in minutes and seconds on the frame. Merely click on it and voila!, you can watch it in Iphoto. If you want to burn it to a cd, you can easily do that by placing a blank cd (or dvd) into your superdrive, and hitting the burn button. Nothing more to it! You can also import them into iDvd or iMovie, but that is another topic.
    As for formating your camera, only do it if you want to completely and forever delete and otherwise erase every pic on your camera's internal drive or memory card. It's not a bad idea, actually, to reformat if you've otherwise downloaded your pics onto your mac and have them archived to an external HD or onto blank disks in case your internal hardrive goes kerplunk! Your camera's menu will direct you how to do it in a few seconds, which effectively erases every image and gives you a fully clean slate. Hope this helps. wd

Maybe you are looking for

  • Error while executing servlet through a HyperLink.

    Hi When i am trying to execute a servlet through the HyperLink using this statement where CallStatusDetailsAssign is my servlet.then i am getting this error : The Following is the Alert Message. 1. Microsoft InterNet Explorer http://localhost:8080/ex

  • Reason for movement text

    Hello gurus I have to develop one report which gives Vendor wise reason for rejection. for that In the materials cube I have used movement type (0MOVETYPE), reason for movement (0MATMREA). But I want to display the texts related to each reason for mo

  • ICloud iPhoto journals vs Shared Photo stream

    In iPhoto (for iOs Only) you can create photo journals and publish them on iCloud. This is very similar to shared photo streams. However Journals give you quite a few layout options which lack for photo stream. On the other hand shared photo stream a

  • Urgent  background  call for RFC?

    Hello all,            I have designed a RFC(that is FM with RFC tab clicked) everything is fine ,but i just want to execute this RFC in background.what is  the procedure can anybody plz explain.

  • Insert within clob

    i have a CLOB datatype column how i will insert record inthis column like picture etc.