一、字符串反转

把一个句子中的打次进行反转,比如“how are you” ,变为 “you are how”

// 字符串反转
public class StringTest { // 字符反转的方法
private void swap(char[] c, int front, int end) { if (front > end || end >= c.length) {
return;
} while (front < end) { char tmp = c[front];
c[front] = c[end];
c[end] = tmp; front++;
end--;
}
} // O(n)
public String swapStr(String str) { char[] cArr = str.toCharArray(); // 整个字符串的字符反转
swap(cArr, 0, cArr.length - 1); // 反转整个字符串中的所有字母,how are you -> uoy era woh int begin = 0; // 对字符串中的每个单词反转,除了最后一单词
for (int i = 0; i < cArr.length; i++) { if (cArr[i] == ' ') {
swap(cArr, begin, i - 1);
begin = i + 1;
}
} // 最后一个单词的反转
swap(cArr, begin, cArr.length - 1); return new String(cArr);
} public static void main(String[] args) { String str = "how are you";
System.out.println(new StringTest().swapStr(str));
} }

二、判断字符串是否由相同的字符组成

判断连个字符串的字母个字母的个数是否一样,顺序可以不同, 如“aaaabc” 和“cbaaaa”是相同的

// 判断字符串是否由相同的字符组成
public class StringTest { // 方法一 可以死任意字符 O(nlogn)
public boolean compareStr(String str1, String str2) { byte[] bs1 = str1.getBytes();
byte[] bs2 = str2.getBytes(); Arrays.sort(bs1);
Arrays.sort(bs2); str1 = new String(bs1);
str2 = new String(bs2); if (str1.equals(str2)) {
return true;
} else {
return false;
}
} // 只能是ASCII码 方法二 O(n)
public boolean compareStr2(String str1, String str2) { byte[] bs1 = str1.getBytes();
byte[] bs2 = str2.getBytes(); int bCount[] = new int[256]; for (int i = 0; i < bs1.length; i++)
bCount[bs1[i] ]++;
for (int i = 0; i < bs2.length; i++)
bCount[bs2[i] ]--;
for (int i = 0; i < 256; i++) { if (bCount[i] != 0) {
return false;
} }
return true; } public static void main(String[] args) { String str1 = "aaaabbc";
String str2 = "cbaaaab"; System.out.println(new StringTest().compareStr2(str1, str2)); } }

三、字符串中单词的统计

给定一段空格分开的字符串,判断单词的个数

// 字符串中单词的统计
public class StringTest { // O(n)
public int wordCount(String str) { int word = 0;
int count = 0;
for (int i = 0; i < str.length(); i++) { if (str.charAt(i) == ' ')
word = 0;
else if (word == 0 ) {
word = 1;
count++;
}
} return count;
} public static void main(String[] args) { String str = "i am a good boy"; System.out.println(new StringTest().wordCount(str)); } }

四、删除字符串中重复的字符

删除字符串中国重复的字符。如good -> god

// 删除字符串中重复的字符
public class StringTest { // O(n^2)
public String removeDuplicate(String str) { char[] cs = str.toCharArray();
int n = cs.length; for (int i = 0; i < n; i++) { if (cs[i] == '\0')
continue; for (int j = i + 1; j < n; j++) { if (cs[j] == '\0')
continue;
if (cs[i] == cs[j])
cs[j] = '\0';
}
} int be = 0;
for (int i = 0; i < n; i++) {
if (cs[i] != '\0')
cs[be++] =cs[i];
} return new String(cs, 0, be);
} // 方法二: O(n)
public String removeDuplicate2(String str) { char[] cs = str.toCharArray();
int n = cs.length; int count[] = new int[256];
for (int i = 0; i < cs.length; i++) {
if (count[cs[i]] != 0)
cs[i] = '\0';
count[cs[i]]++;
} int be = 0;
for (int i = 0; i < n; i++) {
if (cs[i] != '\0')
cs[be++] = cs[i];
} return new String(cs, 0, be);
} public static void main(String[] args) { String str = "aaaabbc"; System.out.println(new StringTest().removeDuplicate(str)); } }

五、按要求打印给定数组的排列情况

如1,2,2,3,4,5,要求第四位不为4,3和5不能相连

// 按要求打印数组的排列情况
import java.util.HashSet;
import java.util.Iterator;
import java.util.Set; public class StringTest { boolean visited[];
String combination = "";
int graph[][] = null; public void getAllCombination(int arr[]) { int n = arr.length;
graph = new int[n][n];
visited = new boolean[n]; buildGraph(arr, graph); Set<String> set = new HashSet<>(); for (int i = 0; i < n; i++) {
depthFirstSearch(i, set, arr);
} Iterator<String> iterator = set.iterator(); while (iterator.hasNext()) {
String string = (String) iterator.next();
System.out.println(string);
}
} /**
* 按照深度优先遍历 图,将符合要求的组合加入到set中,自动去重
*
* @param start
* @param set
* @param arr
*/
private void depthFirstSearch(int start, Set<String> set, int arr[]) {
visited[start] = true;
combination += arr[start]; if (combination.length() == arr.length) {
if (combination.indexOf("4") != 2) {
set.add(combination);
}
} for (int j = 0; j < arr.length; j++) {
if (graph[start][j] == 1 && visited[j] == false)
depthFirstSearch(j, set, arr);
} // 什么意思?
combination = combination.substring(0, combination.length() - 1);
visited[start] = false;
} /**
* 根据传入的数构建一个图,图中的 3,5 不能相连
*
* @param arr
* @param graph
* @return
*/
private int[][] buildGraph(int arr[], int[][] graph) { for (int i = 0; i < arr.length; i++) {
for (int j = 0; j < arr.length; j++) {
if (arr[i] == arr[j])
graph[i][j] = 0;
else
graph[i][j] = 1;
}
} graph[3][5] = 0;
graph[5][3] = 0; return graph;
} public static void main(String[] args) { int arr[] = { 1, 2, 2, 3, 4, 5 };
new StringTest().getAllCombination(arr); } }

六、输出字符串的所有组合

给定一个字符串,输出该字符串中字符的所有组合

// 输出字符串的所有组合

public class StringTest {

    public void combineRecursive(char[] c, int begin, int len, StringBuffer sb) {

        if (len == 0) {
System.out.print(sb + " ");
return;
} if (begin == c.length)
return;
sb.append(c[begin]);
combineRecursive(c, begin + 1, len - 1, sb);
sb.deleteCharAt(sb.length() - 1);
combineRecursive(c, begin + 1, len, sb); } public static void main(String[] args) { String s = "abc";
char[] cs = s.toCharArray();
StringBuffer sb = new StringBuffer(); for (int j = 1; j < cs.length; j++) {
new StringTest().combineRecursive(cs, 0, j, sb);
}
} }

[java实现]常见算法之字符串操作的更多相关文章

  1. Java 蓝桥杯 算法训练 字符串的展开 (JAVA语言实现)

    ** 算法训练 字符串的展开 ** 题目: 在初赛普及组的"阅读程序写结果"的问题中,我们曾给出一个字符串展开的例子:如果在输入的字符串中,含有类似于"d-h" ...

  2. Java数据结构和算法总结-字符串及高频面试题算法

    前言:周末闲来无事,在七月在线上看了看字符串相关算法的讲解视频,收货颇丰,跟着视频讲解简单做了一下笔记,方便以后翻阅复习同时也很乐意分享给大家.什么字符串在算法中有多重要之类的大路边上的客套话就不多说 ...

  3. Java数据结构和算法总结-字符串相关高频面试题算法

    前言:周末闲来无事,看了看字符串相关算法的讲解视频,收货颇丰,跟着视频讲解简单做了一下笔记,方便以后翻阅复习同时也很乐意分享给大家.什么字符串在算法中有多重要之类的大路边上的客套话就不多说了,直接上笔 ...

  4. Java面试常见算法题

    1.实现字符串反转 提供七种方案实现字符串反转 import java.util.Stack; public class StringReverse { public static String re ...

  5. Java字符串操作及与C#字符串操作的不同

    每种语言都会有字符串的操作,因为字符串是我们平常开发使用频率最高的一种类型.今天我们来聊一下Java的字符串操作及在某些具体方法中与C#的不同,对于需要熟悉多种语言的人来说,作为一种参考.进行诫勉 首 ...

  6. Java中的字符串操作(比较String,StringBuiler和StringBuffer)

    一.前言 刚开始学习Java时,作为只会C语言的小白,就为其中的字符串操作而感到震撼.相比之下,C语言在字节数组中保存一个结尾的\0去表示字符串,想实现字符串拼接,还需要调用strcpy库函数或者自己 ...

  7. 常见算法合集[java源码+持续更新中...]

    一.引子 本文搜集从各种资源上搜集高频面试算法,慢慢填充...每个算法都亲测可运行,原理有注释.Talk is cheap,show me the code! 走你~ 二.常见算法 2.1 判断单向链 ...

  8. java入门学习笔记之2(Java中的字符串操作)

    因为对Python很熟悉,看着Java的各种字符串操作就不自觉的代入Python的实现方法上,于是就将Java实现方式与Python实现方式都写下来了. 先说一下总结,Java的字符串类String本 ...

  9. JAVA基础--JAVA API常见对象(字符串&缓冲区)11

    一. String 类型 1. String类引入 第二天学习过Java中的常量:   常量的分类:   数值型常量:整数,小数(浮点数) 字符型常量:使用单引号引用的数据 字符串常量:使用双引号引用 ...

随机推荐

  1. ajax传递数组及后台接收

    ajax传递的是{"items":arr},其中arr=[]; 在后台String[] items=req.getParameterValues("items" ...

  2. was not registered for synchronization because synchronization is not active

    报SqlSession [org.apache.ibatis.session.defaults.DefaultSqlSession@7862f70e] was not registered for s ...

  3. mybatis框架入门程序:演示通过mybatis实现数据库的添加操作

    1.mybatis的基本配置准备在我的这篇博文中可以找到:https://www.cnblogs.com/wyhluckdog/p/10149480.html 2. 映射文件: 在User.xml中添 ...

  4. Linq操作DataTable

    IEnumerable<DataRow> q = from dr in dt.AsEnumerable()                          where dr.Field& ...

  5. java同一个类中,构造器如何调用另一个重载的构造器?

    构造器里面调用其它构造器,格式方法如下:1.使用this调用另一个重载构造器,只能在构造器中使用:2.必须写在构造器执行体的第一行语句: 示例如下: import static java.lang.S ...

  6. SQL获取当前日期的年、月、日、时、分、秒数据

    SQL Server中获取当前日期的年.月.日.时.分.秒数据: SELECT GETDATE() as '当前日期',DateName(year,GetDate()) as '年',DateName ...

  7. Python 关于数组矩阵变换函数numpy.nonzero(),numpy.multiply()用法

    1.numpy.nonzero(condition),返回参数condition(为数组或者矩阵)中非0元素的索引所形成的ndarray数组,同时也可以返回condition中布尔值为True的值索引 ...

  8. Web前后端数据交换技术和规范发展史:Form、Ajax、Comet、Websocket

    第一阶段:Form web应用想要与服务器交互,必须提交一个表单(form).服务器接收并处理该表单,然后返回一个全新的页面. 缺点:前后两个页面需要更新的数据可能很少,这个过程可能传输了很多之前那个 ...

  9. 大数据技术之_19_Spark学习_05_Spark GraphX 应用解析 + Spark GraphX 概述、解析 + 计算模式 + Pregel API + 图算法参考代码 + PageRank 实例

    第1章 Spark GraphX 概述1.1 什么是 Spark GraphX1.2 弹性分布式属性图1.3 运行图计算程序第2章 Spark GraphX 解析2.1 存储模式2.1.1 图存储模式 ...

  10. 网格去噪 Mesh Denoising Guided by Patch Normal Co-filtering via Kernel Low-rank Recovery

    http://staff.ustc.edu.cn/~lgliu/ 网格去噪 https://blog.csdn.net/lafengxiaoyu/article/details/73656060