Edit RAF

Any pointers on how to enable editing of randoms access file? Examples?
// TestRandomAccessFile.java: Store and read data, edit stored data if needed.
// using RandomAccessFile
import java.io.*;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import javax.swing.border.*;
public class TestRandomAccessFile extends JFrame {
  // Create a tabbed pane to hold two panels
  private JTabbedPane jtpStudent = new JTabbedPane();
  // Random access file for access the student.dat file
  private RandomAccessFile raf;
  /** Main method */
  public static void main(String[] args) {
    TestRandomAccessFile frame = new TestRandomAccessFile();
    frame.pack();
    frame.setTitle("Test RandomAccessFile");
    frame.setVisible(true);
  /** Default constructor */
  public TestRandomAccessFile() {
    // Open or create a random access file
    try {
      raf = new RandomAccessFile("student.dat", "rw");
    catch(IOException ex) {
      System.out.print("Error: " + ex);
      System.exit(0);
    // Place buttons in the tabbed pane
    jtpStudent.add(new RegisterStudent(raf), "Register Student");
    jtpStudent.add(new ViewStudent(raf), "View and Update Student");
    // Add the tabbed pane to the frame
    getContentPane().add(jtpStudent);
// Register student panel
class RegisterStudent extends JPanel implements ActionListener {
  // Button for registering a student
  private JButton jbtRegister;
  // Student information panel
  private StudentPanel studentPanel;
  // Random access file
  private RandomAccessFile raf;
  public RegisterStudent(RandomAccessFile raf) {
    // Pass raf to RegisterStudent Panel
    this.raf = raf;
    // Add studentPanel and jbtRegister in the panel
    setLayout(new BorderLayout());
    add(studentPanel = new StudentPanel(),
      BorderLayout.CENTER);
    add(jbtRegister = new JButton("Register"),
      BorderLayout.SOUTH);
    // Register listener
    jbtRegister.addActionListener(this);
  /** Handle button actions */
  public void actionPerformed(ActionEvent e) {
    if (e.getSource() == jbtRegister) {
      Student student = studentPanel.getStudent();
      try {
        raf.seek(raf.length());
        student.writeStudent(raf);
      catch(IOException ex) {
        System.out.print("Error: " + ex);
// View student panel
class ViewStudent extends JPanel implements ActionListener {
  // Buttons for viewing student information
  private JButton jbtFirst, jbtNext, jbtPrevious, jbtLast,jbtUpdate;
  // Random access file
  private RandomAccessFile raf = null;
  // Current student record
  private Student student = new Student();
  // Create a student panel
  private StudentPanel studentPanel = new StudentPanel();
  // File pointer in the random access file
  private long lastPos;
  private long currentPos;
  public ViewStudent(RandomAccessFile raf) {
    // Pass raf to ViewStudent
    this.raf = raf;
    // Panel p to hold four navigator buttons
    JPanel p = new JPanel();
    p.setLayout(new FlowLayout(FlowLayout.LEFT));
    p.add(jbtFirst = new JButton("First"));
    p.add(jbtNext = new JButton("Next"));
    p.add(jbtPrevious = new JButton("Previous"));
    p.add(jbtLast = new JButton("Last"));
    p.add(jbtUpdate = new JButton("Update"));
    // Add panel p and studentPanel to ViewPanel
    setLayout(new BorderLayout());
    add(studentPanel, BorderLayout.CENTER);
    add(p, BorderLayout.SOUTH);
    // Register listeners
    jbtFirst.addActionListener(this);
    jbtNext.addActionListener(this);
    jbtPrevious.addActionListener(this);
    jbtLast.addActionListener(this);
    jbtUpdate.addActionListener(this);
  /** Handle navigation button actions */
  public void actionPerformed(ActionEvent e) {
    String actionCommand = e.getActionCommand();
    if (e.getSource() instanceof JButton) {
      try {
        if ("First".equals(actionCommand)) {
          if (raf.length() > 0)
            retrieve(0);
        else if ("Next".equals(actionCommand)) {
          currentPos = raf.getFilePointer();
          if (currentPos < raf.length())
            retrieve(currentPos);
        else if ("Previous".equals(actionCommand)) {
          currentPos = raf.getFilePointer();
          if (currentPos > 0)
            retrieve(currentPos - 2*2*Student.RECORD_SIZE);
        else if ("Last".equals(actionCommand)) {
          lastPos = raf.length();
          if (lastPos > 0)
            retrieve(lastPos - 2*Student.RECORD_SIZE);
        else if ("Update".equals(actionCommand)) {
             Student student = studentPanel.getStudent();
             System.out.println("help"); //somehow make student info editable  
        ///     student.writeStudent(raf);this does nothing
      catch(IOException ex) {
        System.out.print("Error: " + ex);
  /** Retrieve a record at specified position */
  public void retrieve(long pos) {
    try {
      raf.seek(pos);
      student.readStudent(raf);
      studentPanel.setStudent(student);
    catch(IOException ex) {
      System.out.print("Error: " + ex);
// This class contains static methods for reading and writing
// fixed length records
class FixedLengthStringIO {
  // Read fixed number of characters from a DataInput stream
  public static String readFixedLengthString(int size,
    DataInput in) throws IOException {
    char c[] = new char[size];
    for (int i=0; i<size; i++)
      c[i] = in.readChar();
    return new String(c);
  // Write fixed number of characters (string s with padded spaces)
  // to a DataOutput stream
  public static void writeFixedLengthString(String s, int size,
    DataOutput out) throws IOException {
    char cBuffer[] = new char[size];
    s.getChars(0, s.length(), cBuffer, 0);
    for (int i = s.length(); i < cBuffer.length; i++)
      cBuffer[i] = ' ';
    String newS = new String(cBuffer);
    out.writeChars(newS);
}[\code]                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                           

Don't think I am using seek properly I am having trouble with the update method help!
// TestRandomAccessFile.java: Store and read data
// using RandomAccessFile
import java.io.*;
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import javax.swing.border.*;
public class TestRandomAccessFile extends JFrame {
  // Create a tabbed pane to hold two panels
  private JTabbedPane jtpStudent = new JTabbedPane();
  // Random access file for access the student.dat file
  private RandomAccessFile raf;
  /** Main method */
  public static void main(String[] args) {
    TestRandomAccessFile frame = new TestRandomAccessFile();
    frame.pack();
    frame.setTitle("Test RandomAccessFile");
    frame.setVisible(true);
  /** Default constructor */
  public TestRandomAccessFile() {
    // Open or create a random access file
    try {
      raf = new RandomAccessFile("student.dat", "rw");
    catch(IOException ex) {
      System.out.print("Error: " + ex);
      System.exit(0);
    // Place buttons in the tabbed pane
    jtpStudent.add(new RegisterStudent(raf), "Register Student");
    jtpStudent.add(new ViewStudent(raf), "View and Update Student");
    // Add the tabbed pane to the frame
    getContentPane().add(jtpStudent);
// Register student panel
class RegisterStudent extends JPanel implements ActionListener {
  // Button for registering a student
  private JButton jbtRegister;
  // Student information panel
  private StudentPanel studentPanel;
  // Random access file
  private RandomAccessFile raf;
  public RegisterStudent(RandomAccessFile raf) {
    // Pass raf to RegisterStudent Panel
    this.raf = raf;
    // Add studentPanel and jbtRegister in the panel
    setLayout(new BorderLayout());
    add(studentPanel = new StudentPanel(),
      BorderLayout.CENTER);
    add(jbtRegister = new JButton("Register"),
      BorderLayout.SOUTH);
    // Register listener
    jbtRegister.addActionListener(this);
  /** Handle button actions */
  public void actionPerformed(ActionEvent e) {
    if (e.getSource() == jbtRegister) {
      Student student = studentPanel.getStudent();
      try {
        raf.seek(raf.length());
        student.writeStudent(raf);
      catch(IOException ex) {
        System.out.print("Error: " + ex);
// View student panel
class ViewStudent extends JPanel implements ActionListener {
  // Buttons for viewing student information
  private JButton jbtFirst, jbtNext, jbtPrevious, jbtLast,jbtUpdate;
  // Random access file
  private RandomAccessFile raf = null;
  // Current student record
  private Student student = new Student();
  // Create a student panel
  private StudentPanel studentPanel = new StudentPanel();
  // File pointer in the random access file
  private long lastPos;
  private long currentPos;
  public ViewStudent(RandomAccessFile raf) {
    // Pass raf to ViewStudent
    this.raf = raf;
    // Panel p to hold four navigator buttons
    JPanel p = new JPanel();
    p.setLayout(new FlowLayout(FlowLayout.LEFT));
    p.add(jbtFirst = new JButton("First"));
    p.add(jbtNext = new JButton("Next"));
    p.add(jbtPrevious = new JButton("Previous"));
    p.add(jbtLast = new JButton("Last"));
    p.add(jbtUpdate = new JButton("Update"));
    // Add panel p and studentPanel to ViewPanel
    setLayout(new BorderLayout());
    add(studentPanel, BorderLayout.CENTER);
    add(p, BorderLayout.SOUTH);
    // Register listeners
    jbtFirst.addActionListener(this);
    jbtNext.addActionListener(this);
    jbtPrevious.addActionListener(this);
    jbtLast.addActionListener(this);
    jbtUpdate.addActionListener(this);
  /** Handle navigation button actions */
  public void actionPerformed(ActionEvent e) {
    String actionCommand = e.getActionCommand();
    if (e.getSource() instanceof JButton) {
      try {
        if ("First".equals(actionCommand)) {
          if (raf.length() > 0)
            retrieve(0);
        else if ("Next".equals(actionCommand)) {
          currentPos = raf.getFilePointer();
          if (currentPos < raf.length())
            retrieve(currentPos);
        else if ("Previous".equals(actionCommand)) {
          currentPos = raf.getFilePointer();
          if (currentPos > 0)
            retrieve(currentPos - 2*2*Student.RECORD_SIZE);
        else if ("Last".equals(actionCommand)) {
          lastPos = raf.length();
          if (lastPos > 0)
            retrieve(lastPos - 2*Student.RECORD_SIZE);
        else if ("Update".equals(actionCommand)) {
        currentPos = raf.getFilePointer();
          if (currentPos > 0)
            retrieve(currentPos - 1*2*Student.RECORD_SIZE);
            raf.seek(currentPos);
            Student student = studentPanel.getStudent();
                 System.out.println("edit as needed press enter"); //somehow make student info editable  
             student.writeStudent(raf);
                //private long rememberedFilePointer = -1;   not on right track?
                   //          rememberedFilePointer = raf.getFilePointer();
                // retrieve (rememberedFilePointer);//(currentPos);
      catch(IOException ex) {
        System.out.print("Error: " + ex);
  /** Retrieve a record at specified position */
  public void retrieve(long pos) {
    try {
      raf.seek(pos);
      student.readStudent(raf);
      studentPanel.setStudent(student);
    catch(IOException ex) {
      System.out.print("Error: " + ex);
// This class contains static methods for reading and writing
// fixed length records
class FixedLengthStringIO {
  // Read fixed number of characters from a DataInput stream
  public static String readFixedLengthString(int size,
    DataInput in) throws IOException {
    char c[] = new char[size];
    for (int i=0; i<size; i++)
      c[i] = in.readChar();
    return new String(c);
  // Write fixed number of characters (string s with padded spaces)
  // to a DataOutput stream
  public static void writeFixedLengthString(String s, int size,
    DataOutput out) throws IOException {
    char cBuffer[] = new char[size];
    s.getChars(0, s.length(), cBuffer, 0);
    for (int i = s.length(); i < cBuffer.length; i++)
      cBuffer[i] = ' ';
    String newS = new String(cBuffer);
    out.writeChars(newS);
// Student.java: Student class encapsulates student information
import java.io.*;
public class Student implements Serializable {
  private String name;
  private String street;
  private String city;
  private String state;
  private String zip;
  // Specify the size of five string fields in the record
  final static int NAME_SIZE = 32;
  final static int STREET_SIZE = 32;
  final static int CITY_SIZE = 20;
  final static int STATE_SIZE = 2;
  final static int ZIP_SIZE = 5;
  // the total size of the record in bytes, a Unicode
  // character is 2 bytes size
  final static int RECORD_SIZE =
    (NAME_SIZE + STREET_SIZE + CITY_SIZE + STATE_SIZE + ZIP_SIZE);
  /** Default constructor */
  public Student() {
  /** Construct a Student with specified name, street, city, state,
     and zip
  public Student(String name, String street, String city,
    String state, String zip) {
    this.name = name;
    this.street = street;
    this.city = city;
    this.state = state;
    this.zip = zip;
  /** Return name */
  public String getName() {
    return name;
  /** Return street */
  public String getStreet() {
    return street;
  /** Return city */
  public String getCity() {
    return city;
  /** Return state */
  public String getState() {
    return state;
  /** Return zip */
  public String getZip() {
    return zip;
  /** Write a student to a data output stream */
  public void writeStudent(DataOutput out) throws IOException {
    FixedLengthStringIO.writeFixedLengthString(
      name, NAME_SIZE, out);
    FixedLengthStringIO.writeFixedLengthString(
      street, STREET_SIZE, out);
    FixedLengthStringIO.writeFixedLengthString(
      city, CITY_SIZE, out);
    FixedLengthStringIO.writeFixedLengthString(
      state, STATE_SIZE, out);
    FixedLengthStringIO.writeFixedLengthString(
      zip, ZIP_SIZE, out);
  /** Read a student from data input stream */
  public void readStudent(DataInput in) throws IOException {
    name = FixedLengthStringIO.readFixedLengthString(
      NAME_SIZE, in);
    street = FixedLengthStringIO.readFixedLengthString(
      STREET_SIZE, in);
    city = FixedLengthStringIO.readFixedLengthString(
      CITY_SIZE, in);
    state = FixedLengthStringIO.readFixedLengthString(
      STATE_SIZE, in);
    zip = FixedLengthStringIO.readFixedLengthString(
      ZIP_SIZE, in);
}[\code]                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

Similar Messages

  • Lightroom Mobile to edit .RAF files on IOS 8.0.2

    I wanted to evaluate LR Mobile before I purchase the Creative Cloud. I use Fuji x100s and wanted to evaluate the workflow for edit .RAF files.  I imported RAF files in iPad 3 (IOS 8.0.2). I  can see the files .RAF files in my iPAD and edit them (HandyPhoto).   However I am unable to add .RAF file in LR Mobile. It just does not show those photos.  It seems it is possible (http://www.dpreview.com/forums/post/53462725) so wanted to know if this is a bug (IOS 8.0.2) or I am making a mistake.

    A direct import of RAF file to Lr Mobile is not supported yet. You have to first import the RAF file to Lr Desktop and sync them to your mobile device. Hope that answers your question.- Guido

  • What app to edit RAF file?

    Hi all,
    So far I was unable to find an application to open/edit RAF (RAW) files.
    Any ideas?
    Thnx
    Tom

    When I find a file extension that I can't open, I turn to our friends at Google. For example, typing ".raf extension" into the search box results in this page:
    http://www.google.com/search?q=.raf%20extension
    The first link on the page yields:
    http://filext.com/detaillist.php?extdetail=RAF
    You should find your answer there.

  • PE can't do Fuji HS20 EXR .RAF files.

    Installed PE 9.0.1 downloaded update, downloaded RAW 6.3 still can't open .RAF files from Fuji HS20 EXR.  Just installed PE on my laptop running Windows Vista.  Downloaded updates etc, but can't open the .RAF files my Fujifilm camera produces.  It works on my other computer running Windows 7 and used to work on my old computer running XP (since decomissioned).  Any suggestions?

    This one...
    Product
    Photoshop Elements
    Version
    9.0
    Platform
    Windows
    File Name
    Elements9CameraRaw-6.5-mul-AdobeUpdate.zip
    File Size
    44.3MB
    Is what I have downloaded and installed twice now that still does not allow viewing or editing RAF files.

  • Iam looking for a image convertor for raw (raf) files so i can edit them in aperture can any one help

    iam looking for a image convertor for raw (raf) files so i can edit them in aperture can any one help please

    Ah, gotchya. Your Fuji camera must not then be on this list here?  http://www.apple.com/aperture/specs/raw.html  You could presumably use the sw that came with the camera and create jpegs or tiffs with them and keep them in aperture along side the unsupported raws, in stacks.

  • How to Read Statspack Report in Oracle 11.2g Standard Edition

    Dear All,
    I am using Oracle 11.2g Standard Edition in Lab.
    For the performance tuning, How can i read the Statspack Report ?
    Please Note- I can't use the Oracle AWR feature due to License Limitation. As well as if i will generate AWR report with Oracle Standard Edition, it will be not proper and print error " DB time is zero for any interval Report.
    -sumit
    Bangalore,India

    Hi Summit,
    In oracle 11g you will be finding the spcreate.sql script in the same directory as hemant said just run that script
    @@$ORACLE_HOME/rdbms/admin/spcreate.sql
    And follow the normal procedure which you do for creating the statspack report using the perfstat user
    can you please refer to below link for more details:
    stack pack report in oracle 11g
    Also see the link given by Aman sir.
    Hi Aman sir its good to see you after long time.
    Best regards,
    Rafi.
    http://rafioracledba.blogspot.com/

  • LR 5 - Edit in CS6 issue

    Currently running iMac on OSX 10.9. Recently upgrade to LR 5 from LR 4 about indicates that I'm on version LR 5.4 and ACR 8.4. When I finish my adjustments in Lightroom and want to finish the image in CS6 I usually just go to the Photo/Edit in/Adobe Photoshop CS6, The file would then open up as a tiff in CS6. For some reason the files will no longer open up as a tiff but will stay in the raf format Nef for the nikon files or dng for others, In addition it doesn't seem as if the adjustments made in LR carried over. Also tried to open raw file directly from CS 6, Opened in the ACR processor but when finished they opened up in CS6 as net files not tiffs. I know it is not the camera format D800 as I have had not problem working with the files over the last year when I was on LR4. I just updated to LR5 and I don't recall initially having this problem. Been away for a week and now can not get the file to open up within CS6 as a tiff from either LR5.4 or from ACR 8.4 Preferences are set to open up as Tiff.

    Hi John, thanks for that, I have done that but now that button is just greyed out with nothing happening.  Will quit LR and close my computer and see if that solves the problem with the reset.
    Cheers
    Derrick J

  • GS60 2QE GHOST PRO GOLD EDITION - SOUND ISSUE

    Hi,
    I have buy a new Notebook : GS60 2QE GHOST PRO GOLD EDITION.
    On your support website, I can see we can update the bios, so I have do it. But now I don't have sound anymore (on my both system Window - Linux)
    The audoi driver have been updated too. But no change...
    I can retry to update the bios. But please could you give me a solution?
    My system information:
    System Information
    Serial Number:                9S716H515427ZF1000008
    Product Name:                 GS60 2QE
    OS:                           Microsoft Windows 8.1 64 bits
    Windows Product Key:          XP9F3
    HDI Build:                    ZS7-16H5BM4-DS1   3.2.A14.8.0.1 
    BIOS Version:                 E16H5IMS.10D
    BIOS Release Date:            2014/12/19
    EC Version:                   16H5EMS1 Ver5.04, 09/24/2014
    CPU:                          Intel(R) Core(TM) i7-4720HQ CPU @ 2.60GHz
    Memory:                       16 GB @ 800 MHz
                                   - 8192 MB, DDR3-1600, Kingston MSI16D3LS1MNG/8G 
                                   - 8192 MB, DDR3-1600, Kingston MSI16D3LS1MNG/8G 
    Graphics:                     Intel(R) HD Graphics 4600, 2080 MB
    Graphics:                     NVIDIA GeForce GTX 970M, 3072 MB
    VBIOS Version:                84.04.26.00.13
    Drive:                        SSD, KINGSTON SM2280S3120G, 111,79 GB
    Drive:                        HDD, HGST HTS721010A9E630, 931,51 GB
    Drive:                        HDD, WD My Passport 0748, 931,48 GB
    Drive:                        SSD, TOSHIBA THNSNJ128G8NU, 119,24 GB
    Network:                      Bluetooth Device (Personal Area Network)
    Network:                      Killer Wireless-n/a/ac 1525 Wireless Network Adapter
    Network:                      Killer e2200 Gigabit Ethernet Controller (NDIS 6.30)
    Programs and Features
    KB9X Radio Switch Driver , 1.1.0.0
    ETDWare PS/2-X64 11.13.7.5_WHQL , 11.13.7.5
    SteelSeries Engine , 2.8.450.22786
    Microsoft Visual C++ 2010  x64 Redistributable - 10.0.40219 , 10.0.40219
    Intel(R) Rapid Storage Technology , 12.9.0.1001
    MAGIX MX Suite , 1.13.0.121
    Qualcomm Atheros Network Manager , 1.1.46.1056
    Qualcomm Atheros Killer E220x Drivers , 1.1.46.1056
    Qualcomm Atheros 61x4 Bluetooth Suite (64) , 3.0.0.357
    Microsoft Visual C++ 2005 Redistributable (x64) , 8.0.59192
    Microsoft Application Error Reporting , 12.0.6015.5000
    Panneau de configuration NVIDIA 347.88 , 347.88
    NVIDIA Pilote graphique 347.88 , 347.88
    NVIDIA GeForce Experience 2.1.2 , 2.1.2
    NVIDIA Optimus Update 16.13.21 , 16.13.21
    NVIDIA PhysX System Software 9.14.0702 , 9.14.0702
    NVIDIA Update 16.13.21 , 16.13.21
    NVIDIA LED Visualizer 1.0 , 1.0
    SHIELD Streaming , 3.1.200
    NVIDIA GeForce Experience Service , 16.13.21
    NVIDIA Install Application , 2.1002.173.1392
    NVIDIA Network Service , 2.0
    NVIDIA ShadowPlay 16.13.21 , 16.13.21
    SHIELD Wireless Controller Driver , 16.13.21
    NVIDIA Update Core , 16.13.21
    NVIDIA Virtual Audio 1.2.25 , 1.2.25
    Intel® Trusted Connect Service Client , 1.31.8.1
    Qualcomm Atheros 11AC Drivers , 1.1.46.1056
    Qualcomm Atheros Bandwidth Control Filter Driver , 1.1.46.1056
    WinZip 17.5 , 17.5.10562
    MSVCRT110_amd64 , 16.4.1109.0912
    SCM , 13.014.09014
    Google Chrome , 41.0.2272.101
    MSI Remind Manager , 1.0.1408.1401
    Dragon Gaming Center , 1.0.1409.1501
    Norton Online Backup , 4.5.0.9
    Norton Anti-Theft , 1.10.0.9
    Norton Internet Security , 21.7.0.11
    VLC media player , 2.2.0
    Photo Common , 16.4.3522.0110
    Windows Live , 16.4.3522.0110
    Fotoattēlu galerija , 16.4.3522.0110
    Movie Maker , 16.4.3522.0110
    Фотогалерия , 16.4.3522.0110
    Raccolta foto , 16.4.3522.0110
    Windows Live Essentials , 16.4.3522.0110
    Photo Gallery , 16.4.3522.0110
    Фотоколекція , 16.4.3522.0110
    „Windows Live Essentials“ , 16.4.3522.0110
    Fotogalleriet , 16.4.3522.0110
    Ciel Auto-entrepreneur Standard 6.1 , 20.00.610
    Windows Live UX Platform Language Pack , 16.4.3522.0110
    Galeria fotografii , 16.4.3522.0110
    BurnRecovery , 4.0.1408.201
    Valokuvavalikoima , 16.4.3522.0110
    Foto-galerija , 16.4.3522.0110
    Fotogalerija , 16.4.3522.0110
    Windows Liven peruspaketti , 16.4.3522.0110
    League of Legends , 3.0.1
    Windows Live Installer , 16.4.3522.0110
    Galerie de photos , 16.4.3522.0110
    XSplit Gamecaster , 1.8.1406.0912
    Fotogaléria , 16.4.3522.0110
    Συλλογή φωτογραφιών , 16.4.3522.0110
    Fotogalerie , 16.4.3522.0110
    Windows Live PIMT Platform , 16.4.3522.0110
    Galeria de Fotos , 16.4.3522.0110
    Galería de fotos , 16.4.3522.0110
    Realtek Card Reader , 6.3.9600.21249
    Fotoğraf Galerisi , 16.4.3522.0110
    Google Update Helper , 1.3.26.9
    Battery Calibration , 1.0.1405.0701
    Intel(R) Management Engine Components , 9.5.23.1766
    Galerija fotografija , 16.4.3522.0110
    MSI Social Media Collection , 1.14.2251
    SUPER CHARGER , 1.2.024
    Microsoft Visual C++ 2005 Redistributable , 8.0.59193
    MSVCRT , 15.4.2862.0708
    MSVCRT110 , 16.4.1108.0727
    Windows Live SOXE Definitions , 16.4.3522.0110
    Microsoft Office , 15.0.4569.1506
    Windows Live UX Platform , 16.4.3522.0110
    Windows Live Photo Common , 16.4.3522.0110
    Fotogalleri , 16.4.3522.0110
    Windows Live Communications Platform , 16.4.3522.0110
    Boot Configure , 20.014.05233
    NVIDIA PhysX , 9.14.0702
    Sound Blaster Cinema 2 , 1.00.05
    גלריית התמונות , 16.4.3522.0110
    Galerie foto , 16.4.3522.0110
    Fotogalerii , 16.4.3522.0110
    Основные компоненты Windows Live , 16.4.3522.0110
    Основи Windows Live , 16.4.3522.0110
    Windows Live SOXE , 16.4.3522.0110
    Фотографии (общедоступная версия) , 16.4.3522.0110
    D3DX10 , 15.4.2368.0902
    Fotótár , 16.4.3522.0110
    Qualcomm Atheros Killer Performance Suite , 1.1.46.1056
    Galeria de Fotografias , 16.4.3522.0110
    Фотоальбом , 16.4.3522.0110
    Microsoft SQL Server 2005 Compact Edition [ENU] , 3.1.0000
    Microsoft Visual C++ 2010  x86 Redistributable - 10.0.40219 , 10.0.40219
    Intel(R) Processor Graphics , 10.18.10.3496
    Realtek High Definition Audio Driver , 6.0.1.7318
    Windows Live Temel Parçalar , 16.4.3522.0110
    Podstawowe programy Windows Live , 16.4.3522.0110
    OS Activation
    Nomÿ: Windows(R), Core edition
    Description : Windows(R) Operating System, OEM_DM channel
    Cl‚ de produit partielleÿ: XP9F3
    tat de la licenceÿ: avec licence
    Thank
    Link where come from the bios file update
    msi.com/support/nb/GS60-2QE-Ghost-Pro-Gold-Edition.html#down-bios&Win8.1 64

    I have forgot too to precise, I have update the bios with your (msi) bios file because the fan cooling wasn't working correctly and the laptop was very hot. Now, it's much better, but NO SOUND :-(.
    Please help me!

  • I cannot open a RAF file Elements 10.

    I have just got a Fuji HS50 which although it shoots in RAW format it files it as a RAF file.
    I have tried to open the RAF file in Elements 10 but all I get is a dialogue box telling me it cannot open that format-yet my partner has an HS20 which uses the same RAF extension and they open with no problems.
    The file will convert using DNG Converter which is time consuming with several files so I am looking for a way to open them directly if possible.
    All updates are up to date and both cameras are supported.
    I am pretty new to this so any help would be appreciated.
    Thanks.

    The Fuji FinePix HS50EXR requires Adobe Camera Raw 7.4 which only means compatibility with PSE11 or PSE12. To edit in PSE10 you could, download and install the free Adobe DNG converter (latest version 8.6)to convert your raw files to the Adobe universal Raw format and the files will open in all versions of PSE (keep your originals as backups and for use in the camera manufactures software)
    Windows download (.exe file) click here DNG Converter 8.6
    Mac download (.dmg file) click here DNG Converter 8.6
    You can convert a whole folder of raw images in one click. See this quick video tutorial:
    You Tube click here for DNG Converter tutorial

  • On iOS 8.3 using 'Keynote for iPad' the app freezes repeatedly (since the last update of April 21st) while editing slides. 30 sec. later comes alive again, then freezes again after a few editing actions. Anyone with the same problem?

    On iOS 8.3 using 'Keynote for iPad' the app freezes repeatedly (since the last update of April 21st) while editing slides. 30 sec. later comes alive again, then freezes again after a few editing actions. Anyone with the same problem?  I tried everything 'app support' tells me except deleting and reinstalling the App because I have a lot of files that I'd lose.  Recommendations anyone?  [email protected]

    On iOS 8.3 using 'Keynote for iPad' the app freezes repeatedly (since the last update of April 21st) while editing slides. 30 sec. later comes alive again, then freezes again after a few editing actions. Anyone with the same problem?  I tried everything 'app support' tells me except deleting and reinstalling the App because I have a lot of files that I'd lose.  Recommendations anyone?  [email protected]

  • Fuji RAF (raw) files

    How do I use Fuji RAF (raw) files? What file do I need to download for my Photoshop CS5?
    Message was edited by: backlash2

    This is for the benefit of others who might find this thread.
    There is a list of the latest Camera Raw versions that can be used with a particular major release of Photoshop or Photoshop Elements here, in the Camera Raw FAQ:
    http://forums.adobe.com/thread/311515?tstart=0
    The Camera Raw versions listed in the FAQ (e.g., Camera Raw 6.2 for Elements 8) are the latest that can be installed in a particular editor version. 
    If that Camera Raw version is lower than the one listed at the link Trevor supplied above, then you'll need to either use the free DNG converter to convert your files to the DNG format before opening them in your image editor, or upgrade your image editor.
    -Noel

  • Why do my recently edited RAW files lack sidecars?

    I've asked about this recently and now can describe the problem better. My previous question (Aug. 1 "Bridge Thumbnails & Preview no longer indicate edit") received answers suggesting deleting cache, which had no effect on the problem. I've now noticed that those edited RAW files lack sidecar files, although they open normally in RAW, displaying their edited state in both the image and the panels sliders.
    I'm using a MacPro 2 X 2.8 GHz Quad-core Intel Xenon, running version 10.6.8, Photoshop CS6 13.0.5
    This problem only affects recently edited RAW files (August 2013), with their thumbnails in Bridge showing the edit symbol (upper right), but  no evidence of any editing. When I open these files in RAW, the image and the panel sliders show all of my edit correctly. Although the edit is displayed,  the sidecar files are missing from the respective RAW file on my HD. Both RW2 and RAF filles are affected. When I convert these files to DNG, the thumbnails in Bridge then correctly show evidence of the edit.
    Where are those missing sidecar files?

    grprt wrote:
    …I've already "Purged Cache for Folder", twice.
    That's not what I said.  Let's try again:
    Now you have to go to each folder in Bridge and go to the Tools menu >Cache > Build and Export Cache to create the missing XMP files.
    Note that we're talking about different commands in the Tools menu, different menu items.
    Did you restart Bridge after changing the cache preferences and before selecting the command to Build and Export Cache?

  • Fujifilm RAF conversion to Adobe DNG images become "square pixel"? Any Idea?

    I'am using Adobe DNG 8.3.0 on MacOS 10.6.8 to convert fujifilm XE2 RAF file to DNG, thus i can keep my RAW file and edit in LR, but the converted images show very obvious "square pixel"? what wrong? or the Adobe DNG not fully support Fujifilm latest RAF file yet?
    Here is the sample of what i mean "square netted pixel":

    Somewhere in the LR 4 series Adobe changed/improved how RAFs are converted.  I think you’re using a really old LR without having set your DNG Compatibility options to old enough—something older than the default of ACR 7.1.
    The pattern you’re seeing is from the old LR that expects the DNG Converter to have filled in all the extra pixels whereas the DNG Converter is using a new compatibility mode that tells it that LR can handle filling in the pixels itself.

  • How to import RAF format raw photos taken by Fujifilm X-T1 to Lightroom 4.4? RAF raw files cannot be recognised by Lightroom 4.4

    Fujifilm X-T1 is on the list of cameras with RAW file format supported by Lightroom, but I fail to import the RAF raw format photos taken by Fujifilm X-T1 to Lightroom 4.4 with the error message "Lightroom can't process the RAW files".  Is there a way to fix it?

    Fujifilm X-T1 is on the list of cameras with RAW file format supported by Lightroom,
    It is but Raw support varies depending on the version of Lightroom. Newer versions have more Camera Raw support than older versions.
    The column on the right hand side says "Minimum Lightroom version required" for the Fuji X-T1 is 5.4.
    Camera Raw plug-in | Supported cameras
    Raw support is never added to older versions of LR retrospectively so Lightroom 4.4 will never be able to read X-T1 Raw files.
    Your choices:
    Pay to upgrade to Lightroom 5, or
    Download the free Adobe DNG converter, convert all X-T1 Raw files to DNG format then edit the DNGs in Lightroom 4.4
    Photoshop Help | Digital Negative (DNG)

  • "Edit with Photoshop" problem...

    I can no longer effect the "Edit with Photshop CC (2014) command on my laptop. When I click to Edit with PS, it does launch PS but nothing happens. I does NOT launch the dialog box that gives you the choice to edit a copy with LR corrections etc. All other plugins work fine (NIK, OnOne etc).
    The operation works fine on my desktop and I can't find any setting that is different on one from the other.
    Running Mavericks on MBP retina and iMac with all updates. Running Photographer subscription on both machines. My Catalog is in dropbox but I have all the image files on an external drive that I have each hooked up to. It is not a sync problem - there are no conflicting catalogs etc from the dropbox arrangement.
    If I had to guess, I have some sort of feeling that this is an ACR issue...in fact, it must be. as I wrote that, I decided to try editing a jpg file in PS and that worked fine.
    But I do have the problem with both .RAF and .NEF files...
    I guess I could try a manual install of the latest version of ACR but would like to know if that can be done manually with the new Adobe subscription system?
    any tips welcome.
    thanks,
    tom

    I'm not sure what is happening then because the dialog would only come up in Lightroom if there was a Camera RAW mismatch.
    Another thing you can try is delete the "Lightroom 5 Preferences.agprefs" file and restart Lightroom. The file location is Preference and other file locations in Lightroom 5 .
    You also may try adding PS again as another external editor which means the dialog should appear for ALL images, I wonder if it is something to do with Photoshop CC and CC (2014) being installed?

Maybe you are looking for

  • Data recovery from corrupt boot partition

    The boot partition on my MacBook running 10.7.6 has a corrupt volume structure and will not mount, much less boot. The recovery partition boots but really doesn't let me do anything. Disk Utility can't repair nor even complete verification. I have lo

  • Hi cant get Game Center to work on iPad 2?

    Hi can't get Game Center to work on iPad 2

  • Trying to download JDBC drivers

    I am getting this error repeatedly from the download section. I have tried multiple times and have shutdown and restarted my browser. Our firewall should not be causing an issue with this. Proxy Error The proxy server received an invalid response fro

  • How to remove links from report in dashboards

    Hi All, In guided navigational reports how to delete links under the report that displays in the new window(like modify, refresh,print links) in dashboard. Example - Report - Col1 Col2 AB BV Links - Return Modify Refresh Print Download(want to remove

  • Mobile data is disconnected and I can't turn it on

    Although my mobile data is "on" below it reads "disconnected" and when I'm away from wifi, I do not receive data.