我是靠谱客的博主 迷人猫咪,最近开发中收集的这篇文章主要介绍进制转换原理,觉得挺不错的,现在分享给大家,希望可以做个参考。

概述


进制转换原理

//实现十进制转换为十六进制
//0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15
//0, 1, 2, 3, 4, 5, 6, 7, 8, 9,  A,  B,  C,  D,  E,  F
/*什么时候使用数组呢?
	如果数据出现了对应关系,而且对应关系的一方是有序的数字编号,并作为角标使用。这时必须想到数组,
就可以将这些数据存储到数组中。根据运算的结果作为角标直接去查数组中对应的元素。
	这种方式,称为:查表法。
*/
public class TransDemo
{
	public static void main(String[] agrs)
	{
		int num = 60;
		toHex(num);
		toHex_2(num);
		toBinary(6);
		toOctal(num);
	}
	
	public static void toHex(int num)
	{
		if(num==0)
		{
			System.out.println("0");
			return;
		}
		
		char[] chs={'0', '1', '2', '3', 
				'4', '5', '6', '7',
				'8', '9',  'A', 'B', 
				'C', 'D', 'E', 'F'};
		
		for(int x=0; x<8; x++)
		{
			int temp = num & 15;
			System.out.print(chs[temp]);
			num = num >>> 4;
		}
		
	}
	
	//进制转换原理整合
	public static void trans(int num, int base, int offset)
	{
		if(num==0)
		{
			System.out.println("0");
			return;
		}
		
		char[] chs={'0', '1', '2', '3', 
				'4', '5', '6', '7',
				'8', '9',  'A', 'B', 
				'C', 'D', 'E', 'F'};
		
		char[] arr = new char[32];    //二进制达到32位
		int pos = arr.length;
		while(num != 0)
		{
			int temp = num & base;
			arr[--pos] = chs[temp];                    //数组从后往前存储
			num = num >>> offset;
		}
		
		//System.out.println("pos=" + pos);
		
		for(int x=pos; x<arr.length; x++)             //从位置pos往后输出数组
		{
			System.out.print(arr[x]);
		}
		
		System.out.println();
		
	}
	
	//十进制----十六进制
	public static void toHex_2(int num)
	{
		trans(num, 15, 4);
	}
	
	//十进制------二进制
	public static void toBinary(int num)
	{
		trans(num, 1, 1);
	}
	
	//十进制-----八进制
	public static void toOctal(int num)
	{
		trans(num, 7, 3);
	}

}

或者使用java的包
import java.lang.*;
System.out.println(Integer.toBinaryString(60));
System.out.println(Integer.toHexString(60));
System.out.println(Inter.toOctalString(60));


最后

以上就是迷人猫咪为你收集整理的进制转换原理的全部内容,希望文章能够帮你解决进制转换原理所遇到的程序开发问题。

如果觉得靠谱客网站的内容还不错,欢迎将靠谱客网站推荐给程序员好友。

本图文内容来源于网友提供,作为学习参考使用,或来自网络收集整理,版权属于原作者所有。
点赞(54)

评论列表共有 0 条评论

立即
投稿
返回
顶部