예제 #1
0
 public static void main(String[] args) {
   Console c;
   c = new Console(30, 70);
   Book b[] = new Book[5];
   b[0] = new Book("From Russia With Love", "Greg Hines");
   b[1] = new Book("Living Smart", "Rita Langill");
   b[2] = new Book("Singing in the Rain", "Harry Conner");
   b[3] = new Book("Good Housekeeping", "Pat Burns");
   b[4] = new Book("To Be A Model", "Lisa Lahey");
   c.println("Available books:\n");
   for (int i = 0; i < 5; i++) {
     c.println("Book " + (i + 1) + ": " + b[i]);
   }
   Patron p = new Patron("Kick Neenan");
   c.println("Lending 4 books to " + p.getName());
   for (int i = 0; i < 4; i++) {
     if (p.borrow(b[i])) {
       c.println(b[i].getTitle() + " successfully borrowed.");
     } else {
       c.println(b[i].getTitle() + " could not be borrowed.");
     }
   }
   // return books
   c.println("-------\nAtempting to return the first book:\n--------------");
   if (p.returnBook(b[0])) c.println("" + b[0].getTitle() + " successfully returned.");
   else c.println("" + b[0].getTitle() + " was not borrowed");
   c.println("-------\nHere are a list of books currently lent to " + p.getName() + ".\n----");
   for (int i = 0; i < 5; i++) {
     if (p.hasBook(b[i])) c.println("" + b[i]);
   }
 }
예제 #2
0
 public void displayList(Console console) {
   console.println("The library has following books :");
   console.println("S.no        Book      Author");
   for (Book book : originalBookList) {
     String string = book.displayBook();
     console.println(string);
   }
 }
예제 #3
0
 public void reserveBook(Console console) {
   System.out.println("Enter the serial no. of book :");
   int bookID = console.getNumberFromConsole();
   if ((!(bookIssued(bookID))) && bookID < originalBookList.size() && bookID != 0) {
     issueBook(bookID);
     console.println("Thank You! Enjoy the book");
     return;
   }
   if (bookID != 0) console.println("Sorry we don't have that book yet.");
 }
예제 #4
0
  public static void main(String[] args) throws IOException, ClassNotFoundException {
    // initialize Jet
    if (args.length < 2) {
      System.err.println("usage: java EntityFinder propfile datapath files ...");
      System.exit(2);
    }
    JetTest.initializeFromConfig(args[0], args[1]);
    Pat.trace = false;
    Resolve.trace = false;

    String script = JetTest.config.getProperty("processDocument");
    if (script == null || script.length() == 0) {
      Console.println("*** System error: no processDocument script.");
      return;
    }

    for (int i = 2; i < args.length; i++) {
      processFile(args[i], System.out);
    }
  }
예제 #5
0
 public static void main(String[] args) {
   Console c = new Console();
   Format f = new Format();
   double salaryold = 0, salarynew = 40000, raise = 40000;
   c.print(Format.justify('r', "Year", 6));
   c.print(Format.justify('r', "Old Salary", 15));
   c.print(Format.justify('r', "Raise", 11));
   c.print(Format.justify('r', "New Salary\n", 17));
   c.print(Format.justify('r', "----", 6));
   c.print(Format.justify('r', "--- ------", 15));
   c.print(Format.justify('r', "-----", 11));
   c.print(Format.justify('r', "--- ------\n", 17));
   for (int x = 0; x <= 9; x++) {
     c.print(Format.justify('r', x + 1, 6));
     c.print(Format.justify('r', salaryold, 15, 2));
     c.print(Format.justify('r', raise, 12, 2));
     c.println(Format.justify('r', salarynew, 14, 2));
     raise = (salarynew * .03);
     salaryold = salarynew;
     salarynew = raise + salaryold;
   }
 }
예제 #6
0
파일: Processor.java 프로젝트: alexz75/jdeb
  /**
   * Build the data archive of the deb from the provided DataProducers
   *
   * @param pData
   * @param pOutput
   * @param pChecksums
   * @param pCompression the compression method used for the data file (gzip, bzip2 or anything else
   *     for no compression)
   * @return
   * @throws NoSuchAlgorithmException
   * @throws IOException
   */
  BigInteger buildData(
      final DataProducer[] pData,
      final File pOutput,
      final StringBuffer pChecksums,
      String pCompression)
      throws NoSuchAlgorithmException, IOException {

    OutputStream out = new FileOutputStream(pOutput);
    if ("gzip".equals(pCompression)) {
      out = new GZIPOutputStream(out);
    } else if ("bzip2".equals(pCompression)) {
      out.write("BZ".getBytes());
      out = new CBZip2OutputStream(out);
    }

    final TarOutputStream outputStream = new TarOutputStream(out);
    outputStream.setLongFileMode(TarOutputStream.LONGFILE_GNU);

    final MessageDigest digest = MessageDigest.getInstance("MD5");

    final Total dataSize = new Total();

    final List addedDirectories = new ArrayList();
    final DataConsumer receiver =
        new DataConsumer() {
          public void onEachDir(
              String dirname,
              String linkname,
              String user,
              int uid,
              String group,
              int gid,
              int mode,
              long size)
              throws IOException {
            dirname = fixPath(dirname);

            createParentDirectories((new File(dirname)).getParent(), user, uid, group, gid);

            // The directory passed in explicitly by the caller also gets the passed-in mode.
            // (Unlike
            // the parent directories for now.  See related comments at "int mode =" in
            // createParentDirectories, including about a possible bug.)
            createDirectory(dirname, user, uid, group, gid, mode, 0);

            console.println("dir: " + dirname);
          }

          public void onEachFile(
              InputStream inputStream,
              String filename,
              String linkname,
              String user,
              int uid,
              String group,
              int gid,
              int mode,
              long size)
              throws IOException {
            filename = fixPath(filename);

            createParentDirectories(fixPath(new File(filename).getParent()), user, uid, group, gid);

            TarEntry entry = new TarEntry(filename);

            // FIXME: link is in the constructor
            entry.setUserName(user);
            entry.setUserId(uid);
            entry.setGroupName(group);
            entry.setGroupId(gid);
            entry.setMode(mode);
            entry.setSize(size);

            outputStream.putNextEntry(entry);

            dataSize.add(size);

            digest.reset();

            Utils.copy(inputStream, new DigestOutputStream(outputStream, digest));

            final String md5 = Utils.toHex(digest.digest());

            outputStream.closeEntry();

            console.println(
                "file:"
                    + entry.getName()
                    + " size:"
                    + entry.getSize()
                    + " mode:"
                    + entry.getMode()
                    + " linkname:"
                    + entry.getLinkName()
                    + " username:"******" userid:"
                    + entry.getUserId()
                    + " groupname:"
                    + entry.getGroupName()
                    + " groupid:"
                    + entry.getGroupId()
                    + " modtime:"
                    + entry.getModTime()
                    + " md5: "
                    + md5);

            pChecksums.append(md5).append(" ").append(entry.getName()).append('\n');
          }

          private String fixPath(String path) {
            // If we're receiving directory names from Windows, then we'll convert to use slash
            // This does eliminate the ability to use of a backslash in a directory name on *NIX,
            // but in practice, this is a non-issue
            if (path.indexOf('\\') > -1) {
              path = path.replace('\\', '/');
            }
            // ensure the path is like : ./foo/bar
            if (path.startsWith("/")) {
              path = "." + path;
            } else if (!path.startsWith("./")) {
              path = "./" + path;
            }
            // remove double slashes in order to get unique file/folder names
            path = path.replaceAll("\\/\\/", "\\/");
            return path;
          }

          private void createDirectory(
              String directory, String user, int uid, String group, int gid, int mode, long size)
              throws IOException {
            // All dirs should end with "/" when created, or the test
            // DebAndTaskTestCase.testTarFileSet() thinks its a file
            // and so thinks it has the wrong permission.
            // This consistency also helps when checking if a directory already exists in
            // addedDirectories.

            if (!directory.endsWith("/")) {
              directory += "/";
            }

            if (!addedDirectories.contains(directory)) {
              TarEntry entry = new TarEntry(directory);
              // FIXME: link is in the constructor
              entry.setUserName(user);
              entry.setUserId(uid);
              entry.setGroupName(group);
              entry.setGroupId(gid);
              entry.setMode(mode);
              entry.setSize(size);

              outputStream.putNextEntry(entry);
              outputStream.closeEntry();
              addedDirectories.add(
                  directory); // so addedDirectories consistently have "/" for finding duplicates.
            }
          }

          private void createParentDirectories(
              String dirname, String user, int uid, String group, int gid) throws IOException {
            // Debian packages must have parent directories created
            // before sub-directories or files can be installed.
            // For example, if an entry of ./usr/lib/foo/bar existed
            // in a .deb package, but the ./usr/lib/foo directory didn't
            // exist, the package installation would fail.  The .deb must
            // then have an entry for ./usr/lib/foo and then ./usr/lib/foo/bar

            if (dirname == null) {
              return;
            }

            // The loop below will create entries for all parent directories
            // to ensure that .deb packages will install correctly.
            String[] pathParts = dirname.split("\\/");
            String parentDir = "./";
            for (int i = 1; i < pathParts.length; i++) {
              parentDir += pathParts[i] + "/";
              // Make it so the dirs can be traversed by users.
              // We could instead try something more granular, like setting the directory
              // permission to 'rx' for each of the 3 user/group/other read permissions
              // found on the file being added (ie, only if "other" has read
              // permission on the main node, then add o+rx permission on all the containing
              // directories, same w/ user & group), and then also we'd have to
              // check the parentDirs collection of those already added to
              // see if those permissions need to be similarly updated.  (Note, it hasn't
              // been demonstrated, but there might be a bug if a user specifically
              // requests a directory with certain permissions,
              // that has already been auto-created because it was a parent, and if so, go set
              // the user-requested mode on that directory instead of this automatic one.)
              // But for now, keeping it simple by making every dir a+rx.   Examples are:
              // drw-r----- fs/fs   # what you get with setMode(mode)
              // drwxr-xr-x fs/fs   # Usable. Too loose?
              int mode = TarEntry.DEFAULT_DIR_MODE;

              createDirectory(parentDir, user, uid, group, gid, mode, 0);
            }
          }
        };

    for (int i = 0; i < pData.length; i++) {
      final DataProducer data = pData[i];
      data.produce(receiver);
    }

    outputStream.close();

    console.println("Total size: " + dataSize);

    return dataSize.count;
  }
예제 #7
0
파일: Processor.java 프로젝트: alexz75/jdeb
  /**
   * Build control archive of the deb
   *
   * @param pControlFiles
   * @param pDataSize
   * @param pChecksums
   * @param pOutput
   * @return
   * @throws FileNotFoundException
   * @throws IOException
   * @throws ParseException
   */
  private PackageDescriptor buildControl(
      final File[] pControlFiles,
      final BigInteger pDataSize,
      final StringBuffer pChecksums,
      final File pOutput)
      throws IOException, ParseException {

    PackageDescriptor packageDescriptor = null;

    final TarOutputStream outputStream =
        new TarOutputStream(new GZIPOutputStream(new FileOutputStream(pOutput)));
    outputStream.setLongFileMode(TarOutputStream.LONGFILE_GNU);

    for (int i = 0; i < pControlFiles.length; i++) {
      final File file = pControlFiles[i];

      if (file.isDirectory()) {
        continue;
      }

      final TarEntry entry = new TarEntry(file);

      final String name = file.getName();

      entry.setName("./" + name);
      entry.setNames("root", "root");
      entry.setMode(PermMapper.toMode("755"));

      if ("control".equals(name)) {
        packageDescriptor = new PackageDescriptor(new FileInputStream(file), resolver);

        if (packageDescriptor.get("Date") == null) {
          SimpleDateFormat fmt =
              new SimpleDateFormat(
                  "EEE, d MMM yyyy HH:mm:ss Z",
                  Locale.ENGLISH); // Mon, 26 Mar 2007 11:44:04 +0200 (RFC 2822)
          // FIXME Is this field allowed in package descriptors ?
          packageDescriptor.set("Date", fmt.format(new Date()));
        }

        if (packageDescriptor.get("Distribution") == null) {
          packageDescriptor.set("Distribution", "unknown");
        }

        if (packageDescriptor.get("Urgency") == null) {
          packageDescriptor.set("Urgency", "low");
        }

        final String debFullName = System.getenv("DEBFULLNAME");
        final String debEmail = System.getenv("DEBEMAIL");

        if (debFullName != null && debEmail != null) {
          packageDescriptor.set("Maintainer", debFullName + " <" + debEmail + ">");
          console.println("Using maintainer from the environment variables.");
        }

        continue;
      }

      final InputStream inputStream = new FileInputStream(file);

      outputStream.putNextEntry(entry);

      Utils.copy(inputStream, outputStream);

      outputStream.closeEntry();

      inputStream.close();
    }

    if (packageDescriptor == null) {
      throw new FileNotFoundException("No control file in " + Arrays.toString(pControlFiles));
    }

    packageDescriptor.set("Installed-Size", pDataSize.divide(BigInteger.valueOf(1024)).toString());

    addEntry("control", packageDescriptor.toString(), outputStream);

    addEntry("md5sums", pChecksums.toString(), outputStream);

    outputStream.close();

    return packageDescriptor;
  }
예제 #8
0
파일: Processor.java 프로젝트: alexz75/jdeb
  /**
   * Create changes file based on the provided PackageDescriptor. If pRing, pKey and pPassphrase are
   * provided the changes file will also be signed. It returns a ChangesDescriptor reflecting the
   * changes
   *
   * @param pPackageDescriptor
   * @param pChangesProvider
   * @param pRing
   * @param pKey
   * @param pPassphrase
   * @param pOutput
   * @return ChangesDescriptor
   * @throws IOException
   */
  public ChangesDescriptor createChanges(
      final PackageDescriptor pPackageDescriptor,
      final ChangesProvider pChangesProvider,
      final InputStream pRing,
      final String pKey,
      final String pPassphrase,
      final OutputStream pOutput)
      throws IOException, InvalidDescriptorException {

    final ChangeSet[] changeSets = pChangesProvider.getChangesSets();
    final ChangesDescriptor changesDescriptor =
        new ChangesDescriptor(pPackageDescriptor, changeSets);

    changesDescriptor.set("Format", "1.8");

    if (changesDescriptor.get("Binary") == null) {
      changesDescriptor.set("Binary", changesDescriptor.get("Package"));
    }

    if (changesDescriptor.get("Source") == null) {
      changesDescriptor.set("Source", changesDescriptor.get("Package"));
    }

    if (changesDescriptor.get("Description") == null) {
      changesDescriptor.set("Description", "update to " + changesDescriptor.get("Version"));
    }

    final StringBuilder checksumsSha1 = new StringBuilder("\n");
    //        Checksums-Sha1:
    //         56ef4c6249dc3567fd2967f809c42d1f9b61adf7 45964 jdeb.deb
    checksumsSha1.append(' ').append(changesDescriptor.get("SHA1"));
    checksumsSha1.append(' ').append(changesDescriptor.get("Size"));
    checksumsSha1.append(' ').append(changesDescriptor.get("File"));
    changesDescriptor.set("Checksums-Sha1", checksumsSha1.toString());

    final StringBuilder checksumsSha256 = new StringBuilder("\n");
    // Checksums-Sha256:
    // 38c6fa274eb9299a69b739bcbdbd05c7ffd1d8d6472f4245ed732a25c0e5d616 45964 jdeb.deb
    checksumsSha256.append(' ').append(changesDescriptor.get("SHA256"));
    checksumsSha256.append(' ').append(changesDescriptor.get("Size"));
    checksumsSha256.append(' ').append(changesDescriptor.get("File"));
    changesDescriptor.set("Checksums-Sha256", checksumsSha256.toString());

    final StringBuffer files = new StringBuffer("\n");
    files.append(' ').append(changesDescriptor.get("MD5"));
    files.append(' ').append(changesDescriptor.get("Size"));
    files.append(' ').append(changesDescriptor.get("Section"));
    files.append(' ').append(changesDescriptor.get("Priority"));
    files.append(' ').append(changesDescriptor.get("File"));
    changesDescriptor.set("Files", files.toString());

    if (!changesDescriptor.isValid()) {
      throw new InvalidDescriptorException(changesDescriptor);
    }

    final String changes = changesDescriptor.toString();
    // console.println(changes);

    final byte[] changesBytes = changes.getBytes("UTF-8");

    if (pRing == null || pKey == null || pPassphrase == null) {
      pOutput.write(changesBytes);
      pOutput.close();
      return changesDescriptor;
    }

    console.println("Signing changes with key " + pKey);

    final InputStream input = new ByteArrayInputStream(changesBytes);

    try {
      SigningUtils.clearSign(input, pRing, pKey, pPassphrase, pOutput);
    } catch (Exception e) {
      e.printStackTrace();
    }

    pOutput.close();

    return changesDescriptor;
  }
예제 #9
0
파일: Processor.java 프로젝트: alexz75/jdeb
  /**
   * Create the debian archive with from the provided control files and data producers.
   *
   * @param pControlFiles
   * @param pData
   * @param pOutput
   * @param compression the compression method used for the data file (gzip, bzip2 or anything else
   *     for no compression)
   * @return PackageDescriptor
   * @throws PackagingException
   */
  public PackageDescriptor createDeb(
      final File[] pControlFiles,
      final DataProducer[] pData,
      final File pOutput,
      String compression)
      throws PackagingException, InvalidDescriptorException {

    File tempData = null;
    File tempControl = null;

    try {
      tempData = File.createTempFile("deb", "data");
      tempControl = File.createTempFile("deb", "control");

      console.println("Building data");
      final StringBuffer md5s = new StringBuffer();
      final BigInteger size = buildData(pData, tempData, md5s, compression);

      console.println("Building control");
      final PackageDescriptor packageDescriptor =
          buildControl(pControlFiles, size, md5s, tempControl);

      if (!packageDescriptor.isValid()) {
        throw new InvalidDescriptorException(packageDescriptor);
      }

      pOutput.getParentFile().mkdirs();
      final InformationOutputStream md5output =
          new InformationOutputStream(
              new FileOutputStream(pOutput), MessageDigest.getInstance("MD5"));
      // Add chain of filters in order to calculate sha1 and sha256 for 1.8 format
      final InformationOutputStream sha1output =
          new InformationOutputStream(md5output, MessageDigest.getInstance("SHA1"));
      final InformationOutputStream sha256output =
          new InformationOutputStream(sha1output, MessageDigest.getInstance("SHA-256"));

      final ArArchiveOutputStream ar = new ArArchiveOutputStream(sha256output);

      addTo(ar, "debian-binary", "2.0\n");
      addTo(ar, "control.tar.gz", tempControl);
      addTo(ar, "data.tar" + getExtension(compression), tempData);

      ar.close();

      // intermediate values
      packageDescriptor.set("MD5", md5output.getHexDigest());
      packageDescriptor.set("SHA1", sha1output.getHexDigest());
      packageDescriptor.set("SHA256", sha256output.getHexDigest());
      packageDescriptor.set("Size", "" + md5output.getSize());
      packageDescriptor.set("File", pOutput.getName());

      return packageDescriptor;

    } catch (InvalidDescriptorException e) {
      throw e;
    } catch (Exception e) {
      throw new PackagingException("Could not create deb package", e);
    } finally {
      if (tempData != null) {
        if (!tempData.delete()) {
          throw new PackagingException("Could not delete " + tempData);
        }
      }
      if (tempControl != null) {
        if (!tempControl.delete()) {
          throw new PackagingException("Could not delete " + tempControl);
        }
      }
    }
  }
예제 #10
0
파일: OS.java 프로젝트: kxk2907/C-Code
 /**
  * read script lines from standard input and send them to the runners; wait after each line. Empty
  * lines and text from # on are ignored.
  *
  * <p>{@code regex = replacement}
  *
  * <p>defines a substitution which is applied to each subsequent line. These lines can be
  * continued as for property files.
  *
  * <p>{@code name [@x,y[,width,height]] command}
  *
  * <p>starts a runner for a new name or sends the command line to a runner; the coordinates
  * dimension the window.
  *
  * @param arg [0] if specified it should be a properties file with regular expression keys and
  *     string replacement values to define substitutions<br>
  *     [1] if specified should be input for the command loop (default is standard input).
  */
 public static void main(String... arg) throws Exception {
   BufferedReader in = new BufferedReader(new InputStreamReader(System.in));
   // properties?
   Properties macros = null;
   if (arg != null && arg.length > 0) {
     macros = new Properties();
     macros.load(new FileInputStream(arg[0]));
     if (arg.length > 1) in = new BufferedReader(new FileReader(arg[1]));
   }
   // setup console
   Console console = new Console();
   // run command loop
   String line;
   while ((line = in.readLine()) != null) {
     // clip trailing #...
     {
       int n = line.indexOf("#");
       if (n >= 0) line = line.substring(0, n);
     }
     // ignore blank lines
     if (line.trim().length() == 0) continue;
     // substitution?
     {
       int n = line.indexOf("=");
       if (n > 0) {
         String[] s = {line.substring(0, n), line.substring(n + 1)};
         // continue?
         while (s[1].endsWith("\\")) {
           if ((line = in.readLine()) == null) throw new IOException("eof in substitution");
           line = line.trim();
           if (line.startsWith("\\")) line = line.substring(1);
           s[1] = s[1].substring(0, s[1].length() - 1) + line;
         }
         if (macros == null) macros = new Properties();
         macros.setProperty(s[0].trim(), s[1].trim());
         continue;
       }
     }
     // substitute?
     if (macros != null) line = replace(macros, line);
     // split off leading name
     String[] field = line.split("[ \t]+");
     String name = field[0];
     line = line.substring(name.length()).trim();
     // split off geometry @x,y[,width,height], if any
     int[] geometry = null;
     if (line.startsWith("@")) {
       String[] f = line.split("[ \t]+");
       line = line.substring(f[0].length()).trim();
       f = f[0].split(",");
       try {
         switch (f.length) {
           case 2: // @x,y
             geometry = new int[] {Integer.parseInt(f[0].substring(1)), Integer.parseInt(f[1])};
             break;
           case 4: // @x,y,width,height
             geometry =
                 new int[] {
                   Integer.parseInt(f[0].substring(1)),
                   Integer.parseInt(f[1]),
                   Integer.parseInt(f[2]),
                   Integer.parseInt(f[3])
                 };
             break;
         }
       } catch (NumberFormatException nfe) {
       }
     }
     // create or tell runner
     Runner runner = runners.get(name);
     if (runner == null) runners.put(name, runner = new Runner(geometry, field));
     else runner.tell(line);
     // display on console and wait
     console.println(name + " " + line);
   }
   // forcibly terminate on end of file
   exit();
 }
예제 #11
0
 public void checkLibraryNumber(Console console) {
   console.println("Please talk to Librarian. Thank you.");
 }