当前位置: 首页>>代码示例>>Java>>正文


Java Files.readAllBytes方法代码示例

本文整理汇总了Java中java.nio.file.Files.readAllBytes方法的典型用法代码示例。如果您正苦于以下问题:Java Files.readAllBytes方法的具体用法?Java Files.readAllBytes怎么用?Java Files.readAllBytes使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在java.nio.file.Files的用法示例。


在下文中一共展示了Files.readAllBytes方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Java代码示例。

示例1: get

import java.nio.file.Files; //导入方法依赖的package包/类
@Override
public Iterable<Pair<String, String>> get() {
	List<Pair<String,String>> list = new ArrayList<Pair<String,String>>();
	File dir = new File(sourceDir);
	if(dir.isDirectory())
	{
		File[] files = dir.listFiles();
		for(File file:files) {
				byte[] bytes;
				try {
					bytes = Files.readAllBytes(file.toPath());
					String content =  new String(bytes,"UTF-8");
					Pair<String, String> e = Pair.of(file.getName(), content);
					list.add(e);
				} catch (IOException e1) {
					// TODO Auto-generated catch block
					e1.printStackTrace();
				}
		}
	}
	return list;
}
 
开发者ID:dream-lab,项目名称:echo,代码行数:23,代码来源:TempSource.java

示例2: Inception

import java.nio.file.Files; //导入方法依赖的package包/类
public Inception(String graphPath, String labelsPath) throws IOException{
    graphDef = Files.readAllBytes(Paths.get(graphPath));
    labels = Files.readAllLines(Paths.get(labelsPath));

    Graph g = new Graph();
    s = new Session(g);
    GraphBuilder b = new GraphBuilder(g);
    // - The model was trained with images scaled to 224x224 pixels.
    // - The colors, represented as R, G, B in 1-byte each were converted to
    //   float using (value - Mean)/Scale.
    final int H = 224;
    final int W = 224;
    final float mean = 117f;
    final float scale = 1f;
    output = b.div(
                b.sub(
                    b.resizeBilinear(
                            b.expandDims(
                                    b.cast(b.decodeJpeg(b.placeholder("input", DataType.STRING), 3), DataType.FLOAT),
                                    b.constant("make_batch", 0)),
                            b.constant("size", new int[] {H, W})),
                    b.constant("mean", mean)),
                b.constant("scale", scale));
}
 
开发者ID:alseambusher,项目名称:TensorFlow-models4j,代码行数:25,代码来源:Inception.java

示例3: validateFolderStructure

import java.nio.file.Files; //导入方法依赖的package包/类
private void validateFolderStructure(File current, File currRoot, File compRoot) throws Exception {
    if (current.isFile()) {
        String relative = getRelativePath(currRoot, current);
        File comp = new File(compRoot, relative);
        log.trace("Comparing files {} and {}", current.getAbsolutePath(), comp.getAbsolutePath());
        assertTrue(comp.isFile() && comp.length() == current.length());
        byte[] currentData = Files.readAllBytes(current.toPath());
        byte[] compareData = Files.readAllBytes(comp.toPath());
        for (int i = 0; i < currentData.length; i++) {
            assertTrue("Mismatch at " + i, currentData[i] == compareData[i]);
        }
    } else {
        for (File file : current.listFiles()) {
            validateFolderStructure(file, currRoot, compRoot);
        }
    }
}
 
开发者ID:StuPro-TOSCAna,项目名称:TOSCAna,代码行数:18,代码来源:ZipUtilityTest.java

示例4: run

import java.nio.file.Files; //导入方法依赖的package包/类
public void run() {
    System.out.printf("%s %s %s %s", framework, model, config, output);
    FrameworkRegistry registry = FrameworkRegistry.getInstance();
    Set<String> frameworks = registry.getFrameworks();
    if(frameworks.contains(framework)) {
        Generator generator = registry.getGenerator(framework);
        try {
            Object anyModel = null;
            // model can be empty in some cases.
            if(model != null) {
                // check if model is json or not before loading.
                if(model.endsWith("json")) {
                    if(isUrl(model)) {
                        anyModel = JsonIterator.deserialize(urlToByteArray(new URL(model)));
                    } else {
                        anyModel = JsonIterator.deserialize(Files.readAllBytes(Paths.get(model)));
                    }
                } else {
                    if(isUrl(model)) {
                        anyModel = new String(urlToByteArray(new URL(model)), StandardCharsets.UTF_8);
                    } else {
                        anyModel = new String(Files.readAllBytes(Paths.get(model)), StandardCharsets.UTF_8);
                    }
                }
            }

            Any anyConfig = null;
            if(isUrl(config)) {
                anyConfig = JsonIterator.deserialize(urlToByteArray(new URL(config)));
            } else {
                anyConfig = JsonIterator.deserialize(Files.readAllBytes(Paths.get(config)));
            }
           generator.generate(output, anyModel, anyConfig);
        } catch (Exception e) {
            e.printStackTrace();
        }
    } else {
        System.out.printf("Invalid framework %s", framework);
    }
}
 
开发者ID:networknt,项目名称:light-codegen,代码行数:41,代码来源:Cli.java

示例5: testGetFileContents_BytesIsEmpty

import java.nio.file.Files; //导入方法依赖的package包/类
@Test
public void testGetFileContents_BytesIsEmpty() throws Exception {
    String filePath = "c:\\temp\\file.txt";

    Path mockPath = PowerMockito.mock(Path.class);
    PowerMockito.mockStatic(Paths.class);
    PowerMockito.mockStatic(Files.class);

    Mockito.when(Paths.get(Mockito.anyString())).thenReturn(mockPath);
    Mockito.when(Files.readAllBytes(Mockito.isA(Path.class))).thenReturn("".getBytes());

    String fileContents = FileUtils.getFileContents(filePath);
    assertThat(fileContents).isNull();

    PowerMockito.verifyStatic(Paths.class);
    Paths.get(Mockito.anyString());
    PowerMockito.verifyStatic(Files.class);
    Files.readAllBytes(Mockito.isA(Path.class));
}
 
开发者ID:enjin,项目名称:Enjin-Coin-Java-SDK,代码行数:20,代码来源:FileUtilsTest.java

示例6: createHIT

import java.nio.file.Files; //导入方法依赖的package包/类
private HITInfo createHIT(final String questionXmlFile) throws IOException {

		// QualificationRequirement: Locale IN (US, CA)
		QualificationRequirement localeRequirement = new QualificationRequirement();
		localeRequirement.setQualificationTypeId("00000000000000000071");
		localeRequirement.setComparator(Comparator.In);
		List<Locale> localeValues = new ArrayList<>();
		localeValues.add(new Locale().withCountry("US"));
		localeValues.add(new Locale().withCountry("CA"));
		localeRequirement.setLocaleValues(localeValues);
		localeRequirement.setRequiredToPreview(true);

		// Read the question XML into a String
		String questionSample = new String(Files.readAllBytes(Paths.get(questionXmlFile)));

		CreateHITRequest request = new CreateHITRequest();
		request.setMaxAssignments(10);
		request.setLifetimeInSeconds(600L);
		request.setAssignmentDurationInSeconds(600L);
		// Reward is a USD dollar amount - USD$0.20 in the example below
		request.setReward("0.20");
		request.setTitle("Answer a simple question");
		request.setKeywords("question, answer, research");
		request.setDescription("Answer a simple question");
		request.setQuestion(questionSample);
		request.setQualificationRequirements(Collections.singletonList(localeRequirement));

		CreateHITResult result = client.createHIT(request);
		return new HITInfo(result.getHIT().getHITId(), result.getHIT().getHITTypeId());
	}
 
开发者ID:awslabs,项目名称:mturk-code-samples,代码行数:31,代码来源:CreateHITSample.java

示例7: defineFinderClass

import java.nio.file.Files; //导入方法依赖的package包/类
private Class<?> defineFinderClass(String name)
    throws ClassNotFoundException {
    final Object obj = getClassLoadingLock(name);
    synchronized(obj) {
        if (finderClass != null) return finderClass;

        URL url = this.getClass().getProtectionDomain().getCodeSource().getLocation();
        File file = new File(url.getPath(), name+".class");
        if (file.canRead()) {
            try {
                byte[] b = Files.readAllBytes(file.toPath());
                Permissions perms = new Permissions();
                perms.add(new AllPermission());
                finderClass = defineClass(
                        name, b, 0, b.length, new ProtectionDomain(
                        this.getClass().getProtectionDomain().getCodeSource(),
                        perms));
                System.out.println("Loaded " + name);
                return finderClass;
            } catch (Throwable ex) {
                ex.printStackTrace();
                throw new ClassNotFoundException(name, ex);
            }
        } else {
            throw new ClassNotFoundException(name,
                    new IOException(file.toPath() + ": can't read"));
        }
    }
}
 
开发者ID:AdoptOpenJDK,项目名称:openjdk-jdk10,代码行数:30,代码来源:CustomSystemClassLoader.java

示例8: getInstances

import java.nio.file.Files; //导入方法依赖的package包/类
/**
 * Read a list of {@link VerbNetInstance instances} from OntoNotes files in a given {@link Path}.
 *
 * @param directory OntoNotes path
 * @return list of sense instances
 */
public List<VerbNetInstance> getInstances(Path directory) {
    Predicate<String> filter = Pattern.compile(lemmafilter).asPredicate();
    List<VerbNetInstance> instances = new ArrayList<>();
    try {
        for (Path path : getParseFiles(directory)) {
            Path sensePath = Paths.get(path.toString().replaceAll(parseExt + "$", senseExt));
            if (Files.exists(sensePath)) {
                String trees = new String(Files.readAllBytes(path));
                Map<Integer, String> sentenceMap = new HashMap<>();
                for (TreebankTreeNode treeNode : parse(trees)) {
                    sentenceMap.put(sentenceMap.size(), treeNode.toString());
                }
                String senses = new String(Files.readAllBytes(sensePath));
                for (String senseLine : senses.split("[\\r\\n]+")) {
                    String[] fields = senseLine.split(" ");
                    String lemma = fields[3];
                    if (!filter.test(lemma)) {
                        continue;
                    }
                    VerbNetInstance instance = new VerbNetInstance()
                            .path(fields[0])
                            .sentence(Integer.parseInt(fields[1]))
                            .token(Integer.parseInt(fields[2]))
                            .lemma(lemma)
                            .label(fields.length == 6 ? fields[5] : fields[4]);
                    instance.originalText(sentenceMap.getOrDefault(instance.sentence(), ""));
                    instances.add(instance);
                }
            }
        }
    } catch (IOException e) {
        throw new RuntimeException("Error reading instances: " + e.getMessage(), e);
    }
    return instances;
}
 
开发者ID:clearwsd,项目名称:clearwsd,代码行数:42,代码来源:OntoNotesConverter.java

示例9: start

import java.nio.file.Files; //导入方法依赖的package包/类
public void start(){
StringBuilder b;
Path p;
File[] storageLocations = new File[storageTiering.length];
for (int i = 0; i < storageTiering.length; i++) {
    storageLocations[i] = new File(storageTiering[i]);
}  
Runnable clean=()->{
    for (int i = 0; i < index.length(); i++) {
        for (int z = 0; z < storageTiering.length; z++) {
            if (a.get(i).getAccessAverage() < thresholds[z]) {
                b.append(storageTiering[i]);
                b.append("/");
                if (a.get(i).getLocationTier() != 0) {
                    String str = new String(Files.readAllBytes( Paths.get( index.get(i).getPath())));
                    dataStore.put(a.get(i), str);
                    File file=new File(index.get(a).getPath());
                    file.delete();
                }
                b.append(a.get(i).getTitle());
                b.append(".txt");
                p.get(b.toString());
                Files.write(p, dataStore.get(a.get(i)).getBytes());
                index.get(i).setPath(b.toString());
                b.setLength(0);
                index.get(i).setLocationTier(z);
                }
            }
        }
    };
ScheduledExecutorService service=Executors.newScheduledThreadPool(1);
ScheduledFuture future=service.schedule(clean, (long)checkInterval,unit);
}
 
开发者ID:EventHorizon27,项目名称:dataset-lib,代码行数:34,代码来源:StringDataStore.java

示例10: readFile

import java.nio.file.Files; //导入方法依赖的package包/类
private String readFile(Path root, String path) throws IOException {
	return new String(Files.readAllBytes(root.resolve(path)), "UTF-8");
}
 
开发者ID:swissquote,项目名称:carnotzet,代码行数:4,代码来源:ResourcesManagerTest.java

示例11: classifyImageOk

import java.nio.file.Files; //导入方法依赖的package包/类
@Test
public void classifyImageOk() throws Exception {
    byte[] bytes = Files.readAllBytes(Paths.get(resourceLoader.getResource("classpath:boat.jpg").getURI()));
    MockMultipartFile file = new MockMultipartFile("file", "boat.jpg", "image/jpeg", bytes);

    String blowfish = this.mockMvc.perform(
        fileUpload("/api/classify")
            .file(file))
        .andDo(document("classify-image-ok/{step}",
            preprocessRequest(prettyPrint(), replacePattern(Pattern.compile(".*"), "...boat.jpg multipart binary contents...")),
            preprocessResponse(prettyPrint())))
        .andExpect(status().isOk())
        .andExpect(jsonPath("label", notNullValue()))
        .andExpect(jsonPath("probability", notNullValue()))
        .andReturn().getResponse().getContentAsString();
}
 
开发者ID:florind,项目名称:inception-serving-sb,代码行数:17,代码来源:AppControllerTest.java

示例12: parseDerKeySpec

import java.nio.file.Files; //导入方法依赖的package包/类
public static DerKeySpec parseDerKeySpec(Path path) {
  String rawKeyString = null;
  try {
    rawKeyString =
        new String(Files.readAllBytes(path.toAbsolutePath()), XrpcConstants.DEFAULT_CHARSET);
  } catch (IOException e) {
    // TODO(JR): This is bad practice, we should fix this more elegantly
    throw new RuntimeException(
        new GeneralSecurityException("Could not parse a PKCS1 private key."));
  }

  return parseDerKeySpec(rawKeyString);
}
 
开发者ID:Nordstrom,项目名称:xrpc,代码行数:14,代码来源:X509CertificateGenerator.java

示例13: writeEmptyFile

import java.nio.file.Files; //导入方法依赖的package包/类
@Test
public void writeEmptyFile() throws IOException {
    Path target = pathInTempDir("x");
    FileOps.writeNew(target, out -> {});

    byte[] content = Files.readAllBytes(target);
    assertNotNull(content);
    assertThat(content.length, is(0));
}
 
开发者ID:openmicroscopy,项目名称:omero-ms-queue,代码行数:10,代码来源:FileOpsWriteNewTest.java

示例14: importFileContent

import java.nio.file.Files; //导入方法依赖的package包/类
/**
 * Returns as a string the content of a chosen file.
 * @param dialogTitle
 * @return
 */
public String importFileContent(String dialogTitle) {
	JFileChooser fileChooser = new JFileChooser();
	String filePath;
	int userSelection;
	
	fileChooser.setDialogTitle(dialogTitle);
	userSelection = fileChooser.showSaveDialog(null);
	
	if (userSelection == JFileChooser.APPROVE_OPTION) {
		filePath = fileChooser.getSelectedFile().getAbsolutePath();
		
		// Read file
		byte[] encoded;
		
		try {
			encoded = Files.readAllBytes(Paths.get(filePath));
			return new String(encoded, StandardCharsets.UTF_8);
		}
		
		catch (IOException e) {
			e.printStackTrace();
		} 
	}
	
	return null;
}
 
开发者ID:tteguayco,项目名称:JITRAX,代码行数:32,代码来源:FileDialog.java

示例15: toByteArray

import java.nio.file.Files; //导入方法依赖的package包/类
private byte[] toByteArray(File file) throws IOException {
	return Files.readAllBytes(file.toPath());
}
 
开发者ID:esig,项目名称:dss-demonstrations,代码行数:4,代码来源:RestDocumentationApp.java


注:本文中的java.nio.file.Files.readAllBytes方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。